From 6f8e985c852e8b68fe6f5b6d811c24b196310087 Mon Sep 17 00:00:00 2001 From: Chewbaka Date: Fri, 14 Jan 2022 10:30:07 +0100 Subject: [PATCH] fix player, fix install, start implement subtitle selection in episode view --- README.md | 6 +- composer.json | 5 +- fuel/app/classes/controller/episode.php | 2 + fuel/app/classes/controller/rest/install.php | 20 +- fuel/app/classes/controller/rest/movie.php | 86 +- fuel/app/tasks/server.php | 7 +- fuel/app/views/episode/index.php | 72 +- fuel/app/views/install/index.php | 11 + fuel/app/views/movie/list.php | 2 +- public/assets/js/clappr.js | 66275 +++++++++-------- public/assets/js/clappr.min.js | 2 +- public/assets/js/player.js | 4 +- 12 files changed, 34935 insertions(+), 31557 deletions(-) diff --git a/README.md b/README.md index 180f3ab..07ed989 100644 --- a/README.md +++ b/README.md @@ -1,4 +1,4 @@ -![PHP](https://img.shields.io/badge/PHP->=_5.6-738bd7.svg?style=flat-square) +![PHP](https://img.shields.io/badge/PHP->=_8.0-738bd7.svg?style=flat-square) ![PHP](https://img.shields.io/badge/FuelPhp-1.8.2-8304d7.svg?style=flat-square) ![Extension](https://img.shields.io/badge/Needed-Curl-blue.svg?style=flat-square) ![Database](https://img.shields.io/badge/Needed-MySQL-blue.svg?style=flat-square) @@ -8,7 +8,7 @@ Web Application standalone that provide the management of local users, many server and the libraries. # Description -With this web application, some one can create an account directly this app. +With this web application, anyone can create an account directly this app. Every body can add his PlexServer to the list. When you are connected by default you have access to all servers. But the admin can manage permission by user or by library like limit of number streaming, the quality and other @@ -20,7 +20,7 @@ With only one interface and without plex.tv registration, everybody can have acc # Features - Register and Login without plex.tv account - Manage some PlexServer to share theirs libraries -- Manage permission to limit acces to the users +- Manage permission to limit access to the users # Tehcnologies - MySQL diff --git a/composer.json b/composer.json index fae6773..d33ea57 100644 --- a/composer.json +++ b/composer.json @@ -5,7 +5,7 @@ "keywords": ["application", "website", "development", "framework", "PHP", "PHP7"], "license": "MIT", "require": { - "php": ">=5.6.33", + "php": ">=8.0", "composer/installers": "~1.0", "fuel/core": "dev-1.9/develop", "fuel/auth": "1.8.*", @@ -15,10 +15,11 @@ "fuel/parser": "1.8.*", "fuelphp/upload": "2.0.6", "monolog/monolog": "^1.18", - "phpseclib/phpseclib": "2.0.31", + "phpseclib/phpseclib": "2.0.0", "michelf/php-markdown": "1.7.0" }, "require-dev": { + "roave/security-advisories": "dev-latest", "fuel/docs": "1.8.*" }, "suggest": { diff --git a/fuel/app/classes/controller/episode.php b/fuel/app/classes/controller/episode.php index 2a0d670..df4aa45 100644 --- a/fuel/app/classes/controller/episode.php +++ b/fuel/app/classes/controller/episode.php @@ -27,10 +27,12 @@ class Controller_Episode extends Controller_Home $seasons = $episode->getTvShow()->getSeasons(); $episodes = $episode->getSeason()->getEpisodes(); + $subtitles = $episode->getMetaData()['Stream']['SubTitle']; $body->set('episode', $episode); $body->set('seasons', $seasons); $body->set('episodes', $episodes); + $body->set('subtitles', $subtitles); $this->template->body = $body; } diff --git a/fuel/app/classes/controller/rest/install.php b/fuel/app/classes/controller/rest/install.php index 7d80b0a..241a6c5 100755 --- a/fuel/app/classes/controller/rest/install.php +++ b/fuel/app/classes/controller/rest/install.php @@ -12,6 +12,16 @@ use function PHPSTORM_META\type; class Controller_Rest_Install extends Controller_Rest { + public function before() + { + parent::before(); + + $lock = Config::load('lock', true); + + if($lock) + Response::redirect('/login'); + } + public function post_require() { $result = []; @@ -562,13 +572,11 @@ class Controller_Rest_Install extends Controller_Rest { try { $url = Input::post('url'); - - //@TODO CHECK AND REMOVE HTTP AND HTTPS - + $https = Input::post('https'); $port = Input::post('port'); $token = Input::post('token'); - $curl = Request::forge('http://' . $url . ($port ? ':' . $port : '') . '/?X-Plex-Token=' . $token, 'curl'); + $curl = Request::forge(($https === '1' ? 'https' : 'http') . '://' . $url . ($port ? ':' . $port : '') . '/?X-Plex-Token=' . $token, 'curl'); $result = $curl->execute(); if(!$result) @@ -578,8 +586,8 @@ class Controller_Rest_Install extends Controller_Rest $server = Model_Server::forge(); $server->set([ - 'user_id' => $user->id, - 'https' => 0, + 'user_id' => $user->id, + 'https' => (int)$https, 'url' => $url, 'port' => (int)$port, 'token' => $token, diff --git a/fuel/app/classes/controller/rest/movie.php b/fuel/app/classes/controller/rest/movie.php index 9395f05..ce9a02b 100644 --- a/fuel/app/classes/controller/rest/movie.php +++ b/fuel/app/classes/controller/rest/movie.php @@ -1,14 +1,16 @@ getLibrary())) + if (!Model_Permission::isGranted('RIGHT_WATCH_DISABLED', $movie->getLibrary())) { throw new FuelException('You dont have the permission to watch in this library!'); + } $user_settings = Model_Setting::find_one_by('user_id', Session::get('user')->id); - if ($movie->type !== 'movie') - $episodes = $movie->getSeason()->getEpisodes(); - else + if ($movie->type !== 'movie') { + $episodes = $movie->getSeason()?->getEpisodes(); + } + else { $episodes = [$movie]; + } $view = View::forge('player/index'); @@ -64,7 +70,7 @@ class Controller_Rest_Movie extends Controller_Rest 'movie_id' => $movie_id, 'ended_time' => $totaltime, 'watching_time' => $timeplay, - 'is_ended' => ($isFinish === 'true' ? true : false) + 'isFinish' => ($isFinish === 'true' ? true : false) ]); $watching->save(); @@ -75,4 +81,66 @@ class Controller_Rest_Movie extends Controller_Rest return $this->response($exception->getMessage(), 500); } } -} + + + public function get_download() { + try { + + $movie_id = Input::get('movie_id'); + + if (!$movie_id) + throw new FuelException('No movie id'); + + /** @var Model_Movie $movie */ + $movie = Model_Movie::find_by_pk($movie_id); + + if (!$movie) + throw new FuelException('No movie found'); + + if ( !Model_Permission::isGranted('RIGHT_DOWNLOAD_DISABLED', $movie->getLibrary()) ) + throw new FuelException('You dont have the permission to watch in this library!'); + + $url = $movie->getDownloadLink(); + + $filename = ''; + $size = 0; + + if(isset($this->metadata['Media'][0])) { + $filename = $movie->getMetaData()['Media'][0]['Part']['@attributes']['file']; + $size = $movie->getMetaData()['Media'][0]['Part']['@attributes']['size']; + } else { + $filename = $movie->getMetaData()['Media']['Part']['@attributes']['file']; + $size = $movie->getMetaData()['Media']['Part']['@attributes']['size']; + } + + $filename = explode('/', $filename); + $filename = $filename[count($filename) - 1]; + + ini_set('memory_limit', -1); + ini_set('max_execution_time', -1); + ini_set('max_input_time', -1); + + $this->headers = array ( + 'Cache-Control' => 'no-cache, no-store, max-age=0, must-revalidate', + 'Expires' => 'Mon, 26 Jul 1997 05:00:00 GMT', + 'Pragma' => 'no-cache', + "Content-Description" => "File Transfer", + "Content-Transfer-Encoding" => "binary", + 'Content-Type' => 'application/octet-stream', + 'Content-Disposition' => 'inline; attachment; filename="'.$filename.'"', + 'Content-Length' => $size + ); + + if(!File::exists(APPPATH.'tmp/'.$filename)) { + $file = file_get_contents($url); + File::create(APPPATH . 'tmp/', $filename, $file); + } + + $file_info = File::file_info(APPPATH.'tmp/'.$filename); + + File::download(APPPATH.'tmp/'.$filename, $filename, $file_info['mimetype'], null, true); + } catch (Exception $exception) { + return $this->response($exception->getMessage(), 500); + } + } +} \ No newline at end of file diff --git a/fuel/app/tasks/server.php b/fuel/app/tasks/server.php index b45694b..086b75f 100644 --- a/fuel/app/tasks/server.php +++ b/fuel/app/tasks/server.php @@ -58,9 +58,9 @@ class Server public function checkNotFound() { - $this->_checkMovies(); - $this->_checkSeasons(); $this->_checkTvShows(); + $this->_checkSeasons(); + $this->_checkMovies(); } private function _checkMovies() @@ -89,6 +89,7 @@ class Server $curl->execute(); } catch (RequestStatusException $exception) { $movie->set([ + 'updatedAt' => time(), 'disable' => 1 ]); @@ -256,7 +257,5 @@ class Server foreach ($seasons as $season) { Model_Season::getMovies($server,$season); } - - //$this->browseMovies($server); } } diff --git a/fuel/app/views/episode/index.php b/fuel/app/views/episode/index.php index 752a686..e4c41b7 100644 --- a/fuel/app/views/episode/index.php +++ b/fuel/app/views/episode/index.php @@ -228,14 +228,24 @@ -
+
- getMetaData()['Stream']['SubTitle']) > 0): ?> - getMetaData()['Stream']['SubTitle'][0]['language']) ? $episode->getMetaData()['Stream']['SubTitle'][0]['language'] : ''; ?> - - getMetaData()['Stream']['SubTitle'][0]['displayTitle']) ? $episode->getMetaData()['Stream']['SubTitle'][0]['displayTitle'] : $movie->getMetaData()['Stream']['SubTitle'][0]['title']; ?> + 0): ?> + 1): ?> + + + getMetaData()['Stream']['SubTitle'][0]['language']) ? $episode->getMetaData()['Stream']['SubTitle'][0]['language'] : ''; ?> + + getMetaData()['Stream']['SubTitle'][0]['displayTitle']) ? $episode->getMetaData()['Stream']['SubTitle'][0]['displayTitle'] : $movie->getMetaData()['Stream']['SubTitle'][0]['title']; ?> + + @@ -280,6 +290,7 @@
+ + + + + \ No newline at end of file + diff --git a/public/assets/js/clappr.js b/public/assets/js/clappr.js index ece30cf..731df0e 100644 --- a/public/assets/js/clappr.js +++ b/public/assets/js/clappr.js @@ -7,7 +7,7 @@ exports["Clappr"] = factory(); else root["Clappr"] = factory(); -})(typeof self !== 'undefined' ? self : this, function() { +})(window, function() { return /******/ (function(modules) { // webpackBootstrap /******/ // The module cache /******/ var installedModules = {}; @@ -46,14 +46,34 @@ /******/ // 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 - /******/ }); + /******/ 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 ? @@ -67,38043 +87,41250 @@ /******/ __webpack_require__.o = function(object, property) { return Object.prototype.hasOwnProperty.call(object, property); }; /******/ /******/ // __webpack_public_path__ - /******/ __webpack_require__.p = ""; + /******/ __webpack_require__.p = "dist/"; + /******/ /******/ /******/ // Load entry module and return exports - /******/ return __webpack_require__(__webpack_require__.s = 100); + /******/ return __webpack_require__(__webpack_require__.s = "./src/main.js"); /******/ }) - /************************************************************************/ - /******/ ([ - /* 0 */ - /***/ (function(module, exports, __webpack_require__) { + /************************************************************************/ + /******/ ({ - "use strict"; + /***/ "./node_modules/babel-runtime/core-js/array/from.js": + /*!**********************************************************!*\ + !*** ./node_modules/babel-runtime/core-js/array/from.js ***! + \**********************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { + module.exports = { "default": __webpack_require__(/*! core-js/library/fn/array/from */ "./node_modules/core-js/library/fn/array/from.js"), __esModule: true }; - exports.__esModule = true; + /***/ }), - exports.default = function (instance, Constructor) { - if (!(instance instanceof Constructor)) { - throw new TypeError("Cannot call a class as a function"); - } - }; + /***/ "./node_modules/babel-runtime/core-js/get-iterator.js": + /*!************************************************************!*\ + !*** ./node_modules/babel-runtime/core-js/get-iterator.js ***! + \************************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - /***/ }), - /* 1 */ - /***/ (function(module, exports, __webpack_require__) { + module.exports = { "default": __webpack_require__(/*! core-js/library/fn/get-iterator */ "./node_modules/core-js/library/fn/get-iterator.js"), __esModule: true }; - "use strict"; + /***/ }), + /***/ "./node_modules/babel-runtime/core-js/json/stringify.js": + /*!**************************************************************!*\ + !*** ./node_modules/babel-runtime/core-js/json/stringify.js ***! + \**************************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - exports.__esModule = true; + module.exports = { "default": __webpack_require__(/*! core-js/library/fn/json/stringify */ "./node_modules/core-js/library/fn/json/stringify.js"), __esModule: true }; - var _typeof2 = __webpack_require__(39); + /***/ }), - var _typeof3 = _interopRequireDefault(_typeof2); + /***/ "./node_modules/babel-runtime/core-js/object/assign.js": + /*!*************************************************************!*\ + !*** ./node_modules/babel-runtime/core-js/object/assign.js ***! + \*************************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + module.exports = { "default": __webpack_require__(/*! core-js/library/fn/object/assign */ "./node_modules/core-js/library/fn/object/assign.js"), __esModule: true }; - exports.default = function (self, call) { - if (!self) { - throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); - } + /***/ }), - return call && ((typeof call === "undefined" ? "undefined" : (0, _typeof3.default)(call)) === "object" || typeof call === "function") ? call : self; - }; + /***/ "./node_modules/babel-runtime/core-js/object/create.js": + /*!*************************************************************!*\ + !*** ./node_modules/babel-runtime/core-js/object/create.js ***! + \*************************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - /***/ }), - /* 2 */ - /***/ (function(module, exports, __webpack_require__) { + module.exports = { "default": __webpack_require__(/*! core-js/library/fn/object/create */ "./node_modules/core-js/library/fn/object/create.js"), __esModule: true }; - "use strict"; + /***/ }), + /***/ "./node_modules/babel-runtime/core-js/object/define-property.js": + /*!**********************************************************************!*\ + !*** ./node_modules/babel-runtime/core-js/object/define-property.js ***! + \**********************************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - exports.__esModule = true; + module.exports = { "default": __webpack_require__(/*! core-js/library/fn/object/define-property */ "./node_modules/core-js/library/fn/object/define-property.js"), __esModule: true }; - var _setPrototypeOf = __webpack_require__(134); + /***/ }), - var _setPrototypeOf2 = _interopRequireDefault(_setPrototypeOf); + /***/ "./node_modules/babel-runtime/core-js/object/get-own-property-descriptor.js": + /*!**********************************************************************************!*\ + !*** ./node_modules/babel-runtime/core-js/object/get-own-property-descriptor.js ***! + \**********************************************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - var _create = __webpack_require__(76); + module.exports = { "default": __webpack_require__(/*! core-js/library/fn/object/get-own-property-descriptor */ "./node_modules/core-js/library/fn/object/get-own-property-descriptor.js"), __esModule: true }; - var _create2 = _interopRequireDefault(_create); + /***/ }), - var _typeof2 = __webpack_require__(39); + /***/ "./node_modules/babel-runtime/core-js/object/keys.js": + /*!***********************************************************!*\ + !*** ./node_modules/babel-runtime/core-js/object/keys.js ***! + \***********************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - var _typeof3 = _interopRequireDefault(_typeof2); + module.exports = { "default": __webpack_require__(/*! core-js/library/fn/object/keys */ "./node_modules/core-js/library/fn/object/keys.js"), __esModule: true }; - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + /***/ }), - exports.default = function (subClass, superClass) { - if (typeof superClass !== "function" && superClass !== null) { - throw new TypeError("Super expression must either be null or a function, not " + (typeof superClass === "undefined" ? "undefined" : (0, _typeof3.default)(superClass))); - } + /***/ "./node_modules/babel-runtime/core-js/object/set-prototype-of.js": + /*!***********************************************************************!*\ + !*** ./node_modules/babel-runtime/core-js/object/set-prototype-of.js ***! + \***********************************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - subClass.prototype = (0, _create2.default)(superClass && superClass.prototype, { - constructor: { - value: subClass, - enumerable: false, - writable: true, - configurable: true - } - }); - if (superClass) _setPrototypeOf2.default ? (0, _setPrototypeOf2.default)(subClass, superClass) : subClass.__proto__ = superClass; - }; + module.exports = { "default": __webpack_require__(/*! core-js/library/fn/object/set-prototype-of */ "./node_modules/core-js/library/fn/object/set-prototype-of.js"), __esModule: true }; - /***/ }), - /* 3 */ - /***/ (function(module, exports, __webpack_require__) { + /***/ }), - "use strict"; + /***/ "./node_modules/babel-runtime/core-js/symbol.js": + /*!******************************************************!*\ + !*** ./node_modules/babel-runtime/core-js/symbol.js ***! + \******************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { + module.exports = { "default": __webpack_require__(/*! core-js/library/fn/symbol */ "./node_modules/core-js/library/fn/symbol/index.js"), __esModule: true }; - exports.__esModule = true; + /***/ }), - var _defineProperty = __webpack_require__(75); + /***/ "./node_modules/babel-runtime/core-js/symbol/iterator.js": + /*!***************************************************************!*\ + !*** ./node_modules/babel-runtime/core-js/symbol/iterator.js ***! + \***************************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - var _defineProperty2 = _interopRequireDefault(_defineProperty); + module.exports = { "default": __webpack_require__(/*! core-js/library/fn/symbol/iterator */ "./node_modules/core-js/library/fn/symbol/iterator.js"), __esModule: true }; - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + /***/ }), - exports.default = function () { - function defineProperties(target, props) { - for (var i = 0; i < props.length; i++) { - var descriptor = props[i]; - descriptor.enumerable = descriptor.enumerable || false; - descriptor.configurable = true; - if ("value" in descriptor) descriptor.writable = true; - (0, _defineProperty2.default)(target, descriptor.key, descriptor); - } - } + /***/ "./node_modules/babel-runtime/helpers/classCallCheck.js": + /*!**************************************************************!*\ + !*** ./node_modules/babel-runtime/helpers/classCallCheck.js ***! + \**************************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - return function (Constructor, protoProps, staticProps) { - if (protoProps) defineProperties(Constructor.prototype, protoProps); - if (staticProps) defineProperties(Constructor, staticProps); - return Constructor; - }; - }(); + "use strict"; - /***/ }), - /* 4 */ - /***/ (function(module, exports, __webpack_require__) { - "use strict"; + exports.__esModule = true; + exports.default = function (instance, Constructor) { + if (!(instance instanceof Constructor)) { + throw new TypeError("Cannot call a class as a function"); + } + }; - Object.defineProperty(exports, "__esModule", { - value: true - }); + /***/ }), - var _keys = __webpack_require__(53); + /***/ "./node_modules/babel-runtime/helpers/createClass.js": + /*!***********************************************************!*\ + !*** ./node_modules/babel-runtime/helpers/createClass.js ***! + \***********************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - var _keys2 = _interopRequireDefault(_keys); + "use strict"; - var _classCallCheck2 = __webpack_require__(0); - var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + exports.__esModule = true; - var _typeof2 = __webpack_require__(39); + var _defineProperty = __webpack_require__(/*! ../core-js/object/define-property */ "./node_modules/babel-runtime/core-js/object/define-property.js"); - var _typeof3 = _interopRequireDefault(_typeof2); + var _defineProperty2 = _interopRequireDefault(_defineProperty); - var _log = __webpack_require__(29); + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - var _log2 = _interopRequireDefault(_log); + exports.default = function () { + function defineProperties(target, props) { + for (var i = 0; i < props.length; i++) { + var descriptor = props[i]; + descriptor.enumerable = descriptor.enumerable || false; + descriptor.configurable = true; + if ("value" in descriptor) descriptor.writable = true; + (0, _defineProperty2.default)(target, descriptor.key, descriptor); + } + } - var _utils = __webpack_require__(5); + return function (Constructor, protoProps, staticProps) { + if (protoProps) defineProperties(Constructor.prototype, protoProps); + if (staticProps) defineProperties(Constructor, staticProps); + return Constructor; + }; + }(); - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + /***/ }), -// Copyright 2014 Globo.com Player authors. All rights reserved. -// Use of this source code is governed by a BSD-style -// license that can be found in the LICENSE file. + /***/ "./node_modules/babel-runtime/helpers/extends.js": + /*!*******************************************************!*\ + !*** ./node_modules/babel-runtime/helpers/extends.js ***! + \*******************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - var slice = Array.prototype.slice; + "use strict"; - var eventSplitter = /\s+/; - var eventsApi = function eventsApi(obj, action, name, rest) { - if (!name) return true; + exports.__esModule = true; - // Handle event maps. - if ((typeof name === 'undefined' ? 'undefined' : (0, _typeof3.default)(name)) === 'object') { - for (var key in name) { - obj[action].apply(obj, [key, name[key]].concat(rest)); - }return false; - } + var _assign = __webpack_require__(/*! ../core-js/object/assign */ "./node_modules/babel-runtime/core-js/object/assign.js"); - // Handle space separated event names. - if (eventSplitter.test(name)) { - var names = name.split(eventSplitter); - for (var i = 0, l = names.length; i < l; i++) { - obj[action].apply(obj, [names[i]].concat(rest)); - }return false; - } + var _assign2 = _interopRequireDefault(_assign); - return true; - }; + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - var triggerEvents = function triggerEvents(events, args, klass, name) { - var ev = void 0, - i = -1; - var l = events.length, - a1 = args[0], - a2 = args[1], - a3 = args[2]; - run(); + exports.default = _assign2.default || function (target) { + for (var i = 1; i < arguments.length; i++) { + var source = arguments[i]; - function run() { - try { - switch (args.length) { - /* eslint-disable curly */ - case 0: - while (++i < l) { - (ev = events[i]).callback.call(ev.ctx); - }return; - case 1: - while (++i < l) { - (ev = events[i]).callback.call(ev.ctx, a1); - }return; - case 2: - while (++i < l) { - (ev = events[i]).callback.call(ev.ctx, a1, a2); - }return; - case 3: - while (++i < l) { - (ev = events[i]).callback.call(ev.ctx, a1, a2, a3); - }return; - default: - while (++i < l) { - (ev = events[i]).callback.apply(ev.ctx, args); - }return; - } - } catch (exception) { - _log2.default.error.apply(_log2.default, [klass, 'error on event', name, 'trigger', '-', exception]); - run(); + for (var key in source) { + if (Object.prototype.hasOwnProperty.call(source, key)) { + target[key] = source[key]; + } + } } - } - }; - - /** - * @class Events - * @constructor - * @module base - */ - var Events = function () { - function Events() { - (0, _classCallCheck3.default)(this, Events); - } - - /** - * listen to an event indefinitely, if you want to stop you need to call `off` - * @method on - * @param {String} name - * @param {Function} callback - * @param {Object} context - */ - Events.prototype.on = function on(name, callback, context) { - if (!eventsApi(this, 'on', name, [callback, context]) || !callback) return this; - this._events || (this._events = {}); - var events = this._events[name] || (this._events[name] = []); - events.push({ callback: callback, context: context, ctx: context || this }); - return this; + return target; }; - /** - * listen to an event only once - * @method once - * @param {String} name - * @param {Function} callback - * @param {Object} context - */ + /***/ }), + /***/ "./node_modules/babel-runtime/helpers/inherits.js": + /*!********************************************************!*\ + !*** ./node_modules/babel-runtime/helpers/inherits.js ***! + \********************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - Events.prototype.once = function once(name, callback, context) { - var _this = this; + "use strict"; - var _once = void 0; - if (!eventsApi(this, 'once', name, [callback, context]) || !callback) return this; - var off = function off() { - return _this.off(name, _once); - }; - _once = function once() { - off(name, _once); - callback.apply(this, arguments); - }; - return this.on(name, _once, context); - }; - /** - * stop listening to an event - * @method off - * @param {String} name - * @param {Function} callback - * @param {Object} context - */ + exports.__esModule = true; + var _setPrototypeOf = __webpack_require__(/*! ../core-js/object/set-prototype-of */ "./node_modules/babel-runtime/core-js/object/set-prototype-of.js"); - Events.prototype.off = function off(name, callback, context) { - var retain = void 0, - ev = void 0, - events = void 0, - names = void 0, - i = void 0, - l = void 0, - j = void 0, - k = void 0; - if (!this._events || !eventsApi(this, 'off', name, [callback, context])) return this; - if (!name && !callback && !context) { - this._events = void 0; - return this; - } - names = name ? [name] : (0, _keys2.default)(this._events); - // jshint maxdepth:5 - for (i = 0, l = names.length; i < l; i++) { - name = names[i]; - events = this._events[name]; - if (events) { - this._events[name] = retain = []; - if (callback || context) { - for (j = 0, k = events.length; j < k; j++) { - ev = events[j]; - if (callback && callback !== ev.callback && callback !== ev.callback._callback || context && context !== ev.context) retain.push(ev); - } - } - if (!retain.length) delete this._events[name]; - } - } - return this; - }; + var _setPrototypeOf2 = _interopRequireDefault(_setPrototypeOf); - /** - * triggers an event given its `name` - * @method trigger - * @param {String} name - */ + var _create = __webpack_require__(/*! ../core-js/object/create */ "./node_modules/babel-runtime/core-js/object/create.js"); + var _create2 = _interopRequireDefault(_create); - Events.prototype.trigger = function trigger(name) { - var klass = this.name || this.constructor.name; - _log2.default.debug.apply(_log2.default, [klass].concat(Array.prototype.slice.call(arguments))); - if (!this._events) return this; - var args = slice.call(arguments, 1); - if (!eventsApi(this, 'trigger', name, args)) return this; - var events = this._events[name]; - var allEvents = this._events.all; - if (events) triggerEvents(events, args, klass, name); - if (allEvents) triggerEvents(allEvents, arguments, klass, name); - return this; - }; + var _typeof2 = __webpack_require__(/*! ../helpers/typeof */ "./node_modules/babel-runtime/helpers/typeof.js"); - /** - * stop listening an event for a given object - * @method stopListening - * @param {Object} obj - * @param {String} name - * @param {Function} callback - */ + var _typeof3 = _interopRequireDefault(_typeof2); + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - Events.prototype.stopListening = function stopListening(obj, name, callback) { - var listeningTo = this._listeningTo; - if (!listeningTo) return this; - var remove = !name && !callback; - if (!callback && (typeof name === 'undefined' ? 'undefined' : (0, _typeof3.default)(name)) === 'object') callback = this; - if (obj) (listeningTo = {})[obj._listenId] = obj; - for (var id in listeningTo) { - obj = listeningTo[id]; - obj.off(name, callback, this); - if (remove || (0, _keys2.default)(obj._events).length === 0) delete this._listeningTo[id]; + exports.default = function (subClass, superClass) { + if (typeof superClass !== "function" && superClass !== null) { + throw new TypeError("Super expression must either be null or a function, not " + (typeof superClass === "undefined" ? "undefined" : (0, _typeof3.default)(superClass))); } - return this; - }; - - Events.register = function register(eventName) { - Events.Custom || (Events.Custom = {}); - var property = typeof eventName === 'string' && eventName.toUpperCase().trim(); - - if (property && !Events.Custom[property]) { - Events.Custom[property] = property.toLowerCase().split('_').map(function (value, index) { - return index === 0 ? value : value = value[0].toUpperCase() + value.slice(1); - }).join(''); - } else _log2.default.error('Events', 'Error when register event: ' + eventName); - }; - Events.listAvailableCustomEvents = function listAvailableCustomEvents() { - Events.Custom || (Events.Custom = {}); - return (0, _keys2.default)(Events.Custom).filter(function (property) { - return typeof Events.Custom[property] === 'string'; + subClass.prototype = (0, _create2.default)(superClass && superClass.prototype, { + constructor: { + value: subClass, + enumerable: false, + writable: true, + configurable: true + } }); + if (superClass) _setPrototypeOf2.default ? (0, _setPrototypeOf2.default)(subClass, superClass) : subClass.__proto__ = superClass; }; - return Events; - }(); - - /** - * listen to an event indefinitely for a given `obj` - * @method listenTo - * @param {Object} obj - * @param {String} name - * @param {Function} callback - * @param {Object} context - * @example - * ```javascript - * this.listenTo(this.core.playback, Events.PLAYBACK_PAUSE, this.callback) - * ``` - */ - /** - * listen to an event once for a given `obj` - * @method listenToOnce - * @param {Object} obj - * @param {String} name - * @param {Function} callback - * @param {Object} context - * @example - * ```javascript - * this.listenToOnce(this.core.playback, Events.PLAYBACK_PAUSE, this.callback) - * ``` - */ - - - exports.default = Events; - var listenMethods = { listenTo: 'on', listenToOnce: 'once' }; - - (0, _keys2.default)(listenMethods).forEach(function (method) { - Events.prototype[method] = function (obj, name, callback) { - var listeningTo = this._listeningTo || (this._listeningTo = {}); - var id = obj._listenId || (obj._listenId = (0, _utils.uniqueId)('l')); - listeningTo[id] = obj; - if (!callback && (typeof name === 'undefined' ? 'undefined' : (0, _typeof3.default)(name)) === 'object') callback = this; - obj[listenMethods[method]](name, callback, this); - return this; - }; - }); - -// PLAYER EVENTS - /** - * Fired when the player is ready on startup - * - * @event PLAYER_READY - */ - Events.PLAYER_READY = 'ready'; - /** - * Fired when player resizes - * - * @event PLAYER_RESIZE - * @param {Object} currentSize an object with the current size - */ - Events.PLAYER_RESIZE = 'resize'; - /** - * Fired when player changes its fullscreen state - * - * @event PLAYER_FULLSCREEN - * @param {Boolean} whether or not the player is on fullscreen mode - */ - Events.PLAYER_FULLSCREEN = 'fullscreen'; - /** - * Fired when player starts to play - * - * @event PLAYER_PLAY - */ - Events.PLAYER_PLAY = 'play'; - /** - * Fired when player pauses - * - * @event PLAYER_PAUSE - */ - Events.PLAYER_PAUSE = 'pause'; - /** - * Fired when player stops - * - * @event PLAYER_STOP - */ - Events.PLAYER_STOP = 'stop'; - /** - * Fired when player ends the video - * - * @event PLAYER_ENDED - */ - Events.PLAYER_ENDED = 'ended'; - /** - * Fired when player seeks the video - * - * @event PLAYER_SEEK - * @param {Number} time the current time in seconds - */ - Events.PLAYER_SEEK = 'seek'; - /** - * Fired when player receives an error - * - * @event PLAYER_ERROR - * @param {Object} error the error - */ - Events.PLAYER_ERROR = 'playererror'; - /** - * Fired when there is an error - * - * @event ERROR - * @param {Object} error - * the error with the following format `{code, description, level, raw, origin, scope}` - * @param {String} [options.code] - * error's code: code to identify error in the following format: origin:code - * @param {String} [options.description] - * error's description: description of the error - * @param {String} [options.level] - * error's level: FATAL or WARN. - * @param {String} [options.origin] - * error's origin. Example: hls, html5, etc - * @param {String} [options.scope] - * error's scope. Example: playback, container, etc - * @param {String} [options.raw] - * raw error: the initial error received - */ - Events.ERROR = 'error'; - /** - * Fired when the time is updated on player - * - * @event PLAYER_TIMEUPDATE - * @param {Object} progress Data - * progress object - * @param {Number} [progress.current] - * current time (in seconds) - * @param {Number} [progress.total] - * total time (in seconds) - */ - Events.PLAYER_TIMEUPDATE = 'timeupdate'; - /** - * Fired when player updates its volume - * - * @event PLAYER_VOLUMEUPDATE - * @param {Number} volume the current volume - */ - Events.PLAYER_VOLUMEUPDATE = 'volumeupdate'; - - /** - * Fired when subtitle is available - * - * @event PLAYER_SUBTITLE_AVAILABLE - */ - Events.PLAYER_SUBTITLE_AVAILABLE = 'subtitleavailable'; - -// Playback Events - /** - * Fired when the playback is downloading the media - * - * @event PLAYBACK_PROGRESS - * @param progress {Object} - * Data progress object - * @param [progress.start] {Number} - * start position of buffered content at current position - * @param [progress.current] {Number} - * end position of buffered content at current position - * @param [progress.total] {Number} - * total content to be downloaded - * @param buffered {Array} - * array of buffered segments ({start, end}). [Only for supported playbacks] - */ - Events.PLAYBACK_PROGRESS = 'playback:progress'; - /** - * Fired when the time is updated on playback - * - * @event PLAYBACK_TIMEUPDATE - * @param {Object} progress Data - * progress object - * @param {Number} [progress.current] - * current time (in seconds) - * @param {Number} [progress.total] - * total time (in seconds) - */ - Events.PLAYBACK_TIMEUPDATE = 'playback:timeupdate'; - /** - * Fired when playback is ready - * - * @event PLAYBACK_READY - */ - Events.PLAYBACK_READY = 'playback:ready'; - /** - * Fired when the playback starts having to buffer because - * playback can currently not be smooth. - * - * This corresponds to the playback `buffering` property being - * `true`. - * - * @event PLAYBACK_BUFFERING - */ - Events.PLAYBACK_BUFFERING = 'playback:buffering'; - /** - * Fired when the playback has enough in the buffer to be - * able to play smoothly, after previously being unable to - * do this. - * - * This corresponds to the playback `buffering` property being - * `false`. - * - * @event PLAYBACK_BUFFERFULL - */ - Events.PLAYBACK_BUFFERFULL = 'playback:bufferfull'; - /** - * Fired when playback changes any settings (volume, seek and etc) - * - * @event PLAYBACK_SETTINGSUPDATE - */ - Events.PLAYBACK_SETTINGSUPDATE = 'playback:settingsupdate'; - /** - * Fired when playback loaded its metadata - * - * @event PLAYBACK_LOADEDMETADATA - * @param {Object} metadata Data - * settings object - * @param {Number} [metadata.duration] - * the playback duration - * @param {Object} [metadata.data] - * extra meta data - */ - Events.PLAYBACK_LOADEDMETADATA = 'playback:loadedmetadata'; - /** - * Fired when playback updates its video quality - * - * @event PLAYBACK_HIGHDEFINITIONUPDATE - * @param {Boolean} isHD - * true when is on HD, false otherwise - */ - Events.PLAYBACK_HIGHDEFINITIONUPDATE = 'playback:highdefinitionupdate'; - /** - * Fired when playback updates its bitrate - * - * @event PLAYBACK_BITRATE - * @param {Object} bitrate Data - * bitrate object - * @param {Number} [bitrate.bandwidth] - * bitrate bandwidth when it's available - * @param {Number} [bitrate.width] - * playback width (ex: 720, 640, 1080) - * @param {Number} [bitrate.height] - * playback height (ex: 240, 480, 720) - * @param {Number} [bitrate.level] - * playback level when it's available, it could be just a map for width (0 => 240, 1 => 480, 2 => 720) - */ - Events.PLAYBACK_BITRATE = 'playback:bitrate'; - /** - * Fired when the playback has its levels - * - * @event PLAYBACK_LEVELS_AVAILABLE - * @param {Array} levels - * the ordered levels, each one with the following format `{id: 1, label: '500kbps'}` ps: id should be a number >= 0 - * @param {Number} initial - * the initial level otherwise -1 (AUTO) - */ - Events.PLAYBACK_LEVELS_AVAILABLE = 'playback:levels:available'; - /** - * Fired when the playback starts to switch level - * - * @event PLAYBACK_LEVEL_SWITCH_START - * - */ - Events.PLAYBACK_LEVEL_SWITCH_START = 'playback:levels:switch:start'; - /** - * Fired when the playback ends the level switch - * - * @event PLAYBACK_LEVEL_SWITCH_END - * - */ - Events.PLAYBACK_LEVEL_SWITCH_END = 'playback:levels:switch:end'; - - /** - * Fired when playback internal state changes - * - * @event PLAYBACK_PLAYBACKSTATE - * @param {Object} state Data - * state object - * @param {String} [state.type] - * the playback type - */ - Events.PLAYBACK_PLAYBACKSTATE = 'playback:playbackstate'; - /** - * Fired when DVR becomes enabled/disabled. - * - * @event PLAYBACK_DVR - * @param {boolean} state true if dvr enabled - */ - Events.PLAYBACK_DVR = 'playback:dvr'; -// TODO doc - Events.PLAYBACK_MEDIACONTROL_DISABLE = 'playback:mediacontrol:disable'; -// TODO doc - Events.PLAYBACK_MEDIACONTROL_ENABLE = 'playback:mediacontrol:enable'; - /** - * Fired when the media for a playback ends. - * - * @event PLAYBACK_ENDED - * @param {String} name the name of the playback - */ - Events.PLAYBACK_ENDED = 'playback:ended'; - /** - * Fired when user requests `play()` - * - * @event PLAYBACK_PLAY_INTENT - */ - Events.PLAYBACK_PLAY_INTENT = 'playback:play:intent'; - /** - * Fired when the media for a playback starts playing. - * This is not necessarily when the user requests `play()` - * The media may have to buffer first. - * I.e. `isPlaying()` might return `true` before this event is fired, - * because `isPlaying()` represents the intended state. - * - * @event PLAYBACK_PLAY - */ - Events.PLAYBACK_PLAY = 'playback:play'; - /** - * Fired when the media for a playback pauses. - * - * @event PLAYBACK_PAUSE - */ - Events.PLAYBACK_PAUSE = 'playback:pause'; - /** - * Fired when the media for a playback is seeking. - * - * @event PLAYBACK_SEEK - */ - Events.PLAYBACK_SEEK = 'playback:seek'; - /** - * Fired when the media for a playback is seeked. - * - * @event PLAYBACK_SEEKED - */ - Events.PLAYBACK_SEEKED = 'playback:seeked'; - /** - * Fired when the media for a playback is stopped. - * - * @event PLAYBACK_STOP - */ - Events.PLAYBACK_STOP = 'playback:stop'; - /** - * Fired if an error occurs in the playback. - * - * @event PLAYBACK_ERROR - * @param {Object} error An object containing the error details - * @param {String} name Playback name - */ - Events.PLAYBACK_ERROR = 'playback:error'; -// TODO doc - Events.PLAYBACK_STATS_ADD = 'playback:stats:add'; -// TODO doc - Events.PLAYBACK_FRAGMENT_LOADED = 'playback:fragment:loaded'; -// TODO doc - Events.PLAYBACK_LEVEL_SWITCH = 'playback:level:switch'; - /** - * Fired when subtitle is available on playback for display - * - * @event PLAYBACK_SUBTITLE_AVAILABLE - */ - Events.PLAYBACK_SUBTITLE_AVAILABLE = 'playback:subtitle:available'; - /** - * Fired when playback subtitle track has changed - * - * @event CONTAINER_SUBTITLE_CHANGED - * @param {Object} track Data - * track object - * @param {Number} [track.id] - * selected track id - */ - Events.PLAYBACK_SUBTITLE_CHANGED = 'playback:subtitle:changed'; - -// Core Events - /** - * Fired when the containers are created - * - * @event CORE_CONTAINERS_CREATED - */ - Events.CORE_CONTAINERS_CREATED = 'core:containers:created'; - /** - * Fired when the active container changed - * - * @event CORE_ACTIVE_CONTAINER_CHANGED - */ - Events.CORE_ACTIVE_CONTAINER_CHANGED = 'core:active:container:changed'; - /** - * Fired when the options were changed for the core - * - * @event CORE_OPTIONS_CHANGE - */ - Events.CORE_OPTIONS_CHANGE = 'core:options:change'; - /** - * Fired after creating containers, when the core is ready - * - * @event CORE_READY - */ - Events.CORE_READY = 'core:ready'; - /** - * Fired when the fullscreen state change - * - * @event CORE_FULLSCREEN - * @param {Boolean} whether or not the player is on fullscreen mode - */ - Events.CORE_FULLSCREEN = 'core:fullscreen'; - /** - * Fired when core updates size - * - * @event CORE_RESIZE - * @param {Object} currentSize an object with the current size - */ - Events.CORE_RESIZE = 'core:resize'; - /** - * Fired when the screen orientation has changed. - * This event is trigger only for mobile devices. - * - * @event CORE_SCREEN_ORIENTATION_CHANGED - * @param {Object} screen An object with screen orientation - * screen object - * @param {Object} [screen.event] - * window resize event object - * @param {String} [screen.orientation] - * screen orientation (ie: 'landscape' or 'portrait') - */ - Events.CORE_SCREEN_ORIENTATION_CHANGED = 'core:screen:orientation:changed'; - /** - * Fired when occurs mouse move event on core element - * - * @event CORE_MOUSE_MOVE - * @param {Object} event a DOM event - */ - Events.CORE_MOUSE_MOVE = 'core:mousemove'; - /** - * Fired when occurs mouse leave event on core element - * - * @event CORE_MOUSE_LEAVE - * @param {Object} event a DOM event - */ - Events.CORE_MOUSE_LEAVE = 'core:mouseleave'; - -// Container Events - /** - * Fired when the container internal state changes - * - * @event CONTAINER_PLAYBACKSTATE - * @param {Object} state Data - * state object - * @param {String} [state.type] - * the playback type - */ - Events.CONTAINER_PLAYBACKSTATE = 'container:playbackstate'; - Events.CONTAINER_PLAYBACKDVRSTATECHANGED = 'container:dvr'; - /** - * Fired when the container updates its bitrate - * - * @event CONTAINER_BITRATE - * @param {Object} bitrate Data - * bitrate object - * @param {Number} [bitrate.bandwidth] - * bitrate bandwidth when it's available - * @param {Number} [bitrate.width] - * playback width (ex: 720, 640, 1080) - * @param {Number} [bitrate.height] - * playback height (ex: 240, 480, 720) - * @param {Number} [bitrate.level] - * playback level when it's available, it could be just a map for width (0 => 240, 1 => 480, 2 => 720) - */ - Events.CONTAINER_BITRATE = 'container:bitrate'; - Events.CONTAINER_STATS_REPORT = 'container:stats:report'; - Events.CONTAINER_DESTROYED = 'container:destroyed'; - /** - * Fired when the container is ready - * - * @event CONTAINER_READY - */ - Events.CONTAINER_READY = 'container:ready'; - Events.CONTAINER_ERROR = 'container:error'; - /** - * Fired when the container loaded its metadata - * - * @event CONTAINER_LOADEDMETADATA - * @param {Object} metadata Data - * settings object - * @param {Number} [metadata.duration] - * the playback duration - * @param {Object} [metadata.data] - * extra meta data - */ - Events.CONTAINER_LOADEDMETADATA = 'container:loadedmetadata'; - - /** - * Fired when subtitle is available on container for display - * - * @event CONTAINER_SUBTITLE_AVAILABLE - */ - Events.CONTAINER_SUBTITLE_AVAILABLE = 'container:subtitle:available'; - /** - * Fired when subtitle track has changed - * - * @event CONTAINER_SUBTITLE_CHANGED - * @param {Object} track Data - * track object - * @param {Number} [track.id] - * selected track id - */ - Events.CONTAINER_SUBTITLE_CHANGED = 'container:subtitle:changed'; - - /** - * Fired when the time is updated on container - * - * @event CONTAINER_TIMEUPDATE - * @param {Object} progress Data - * progress object - * @param {Number} [progress.current] - * current time (in seconds) - * @param {Number} [progress.total] - * total time (in seconds) - */ - Events.CONTAINER_TIMEUPDATE = 'container:timeupdate'; - /** - * Fired when the container is downloading the media - * - * @event CONTAINER_PROGRESS - * @param {Object} progress Data - * progress object - * @param {Number} [progress.start] - * initial downloaded content - * @param {Number} [progress.current] - * current dowloaded content - * @param {Number} [progress.total] - * total content to be downloaded - */ - Events.CONTAINER_PROGRESS = 'container:progress'; - Events.CONTAINER_PLAY = 'container:play'; - Events.CONTAINER_STOP = 'container:stop'; - Events.CONTAINER_PAUSE = 'container:pause'; - Events.CONTAINER_ENDED = 'container:ended'; - Events.CONTAINER_CLICK = 'container:click'; - Events.CONTAINER_DBLCLICK = 'container:dblclick'; - Events.CONTAINER_CONTEXTMENU = 'container:contextmenu'; - Events.CONTAINER_MOUSE_ENTER = 'container:mouseenter'; - Events.CONTAINER_MOUSE_LEAVE = 'container:mouseleave'; - /** - * Fired when the container seeks the video - * - * @event CONTAINER_SEEK - * @param {Number} time the current time in seconds - */ - Events.CONTAINER_SEEK = 'container:seek'; - /** - * Fired when the container was finished the seek video - * - * @event CONTAINER_SEEKED - * @param {Number} time the current time in seconds - */ - Events.CONTAINER_SEEKED = 'container:seeked'; - Events.CONTAINER_VOLUME = 'container:volume'; - Events.CONTAINER_FULLSCREEN = 'container:fullscreen'; - /** - * Fired when container is buffering - * - * @event CONTAINER_STATE_BUFFERING - */ - Events.CONTAINER_STATE_BUFFERING = 'container:state:buffering'; - /** - * Fired when the container filled the buffer - * - * @event CONTAINER_STATE_BUFFERFULL - */ - Events.CONTAINER_STATE_BUFFERFULL = 'container:state:bufferfull'; - /** - * Fired when the container changes any settings (volume, seek and etc) - * - * @event CONTAINER_SETTINGSUPDATE - */ - Events.CONTAINER_SETTINGSUPDATE = 'container:settingsupdate'; - /** - * Fired when container updates its video quality - * - * @event CONTAINER_HIGHDEFINITIONUPDATE - * @param {Boolean} isHD - * true when is on HD, false otherwise - */ - Events.CONTAINER_HIGHDEFINITIONUPDATE = 'container:highdefinitionupdate'; - - /** - * Fired when the media control shows - * - * @event CONTAINER_MEDIACONTROL_SHOW - */ - Events.CONTAINER_MEDIACONTROL_SHOW = 'container:mediacontrol:show'; - /** - * Fired when the media control hides - * - * @event CONTAINER_MEDIACONTROL_HIDE - */ - Events.CONTAINER_MEDIACONTROL_HIDE = 'container:mediacontrol:hide'; - - Events.CONTAINER_MEDIACONTROL_DISABLE = 'container:mediacontrol:disable'; - Events.CONTAINER_MEDIACONTROL_ENABLE = 'container:mediacontrol:enable'; - Events.CONTAINER_STATS_ADD = 'container:stats:add'; - /** - * Fired when the options were changed for the container - * - * @event CONTAINER_OPTIONS_CHANGE - */ - Events.CONTAINER_OPTIONS_CHANGE = 'container:options:change'; - -// MediaControl Events - Events.MEDIACONTROL_RENDERED = 'mediacontrol:rendered'; - /** - * Fired when the player enters/exit on fullscreen - * - * @event MEDIACONTROL_FULLSCREEN - */ - Events.MEDIACONTROL_FULLSCREEN = 'mediacontrol:fullscreen'; - /** - * Fired when the media control shows - * - * @event MEDIACONTROL_SHOW - */ - Events.MEDIACONTROL_SHOW = 'mediacontrol:show'; - /** - * Fired when the media control hides - * - * @event MEDIACONTROL_HIDE - */ - Events.MEDIACONTROL_HIDE = 'mediacontrol:hide'; - /** - * Fired when mouse enters on the seekbar - * - * @event MEDIACONTROL_MOUSEMOVE_SEEKBAR - * @param {Object} event - * the javascript event - */ - Events.MEDIACONTROL_MOUSEMOVE_SEEKBAR = 'mediacontrol:mousemove:seekbar'; - /** - * Fired when mouse leaves the seekbar - * - * @event MEDIACONTROL_MOUSELEAVE_SEEKBAR - * @param {Object} event - * the javascript event - */ - Events.MEDIACONTROL_MOUSELEAVE_SEEKBAR = 'mediacontrol:mouseleave:seekbar'; - /** - * Fired when the media is being played - * - * @event MEDIACONTROL_PLAYING - */ - Events.MEDIACONTROL_PLAYING = 'mediacontrol:playing'; - /** - * Fired when the media is not being played - * - * @event MEDIACONTROL_NOTPLAYING - */ - Events.MEDIACONTROL_NOTPLAYING = 'mediacontrol:notplaying'; - /** - * Fired when the container was changed - * - * @event MEDIACONTROL_CONTAINERCHANGED - */ - Events.MEDIACONTROL_CONTAINERCHANGED = 'mediacontrol:containerchanged'; - /** - * Fired when the options were changed for the mediacontrol - * - * @event MEDIACONTROL_OPTIONS_CHANGE - */ - Events.MEDIACONTROL_OPTIONS_CHANGE = 'mediacontrol:options:change'; - module.exports = exports['default']; - - /***/ }), - /* 5 */ - /***/ (function(module, exports, __webpack_require__) { - - "use strict"; - - - Object.defineProperty(exports, "__esModule", { - value: true - }); - exports.DomRecycler = exports.cancelAnimationFrame = exports.requestAnimationFrame = exports.QueryString = exports.Config = exports.Fullscreen = undefined; - - var _assign = __webpack_require__(12); - - var _assign2 = _interopRequireDefault(_assign); - - var _createClass2 = __webpack_require__(3); - - var _createClass3 = _interopRequireDefault(_createClass2); - - var _classCallCheck2 = __webpack_require__(0); - - var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); - - var _possibleConstructorReturn2 = __webpack_require__(1); - - var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); - - var _inherits2 = __webpack_require__(2); - - var _inherits3 = _interopRequireDefault(_inherits2); - - var _defineProperty = __webpack_require__(75); - - var _defineProperty2 = _interopRequireDefault(_defineProperty); - - var _getOwnPropertyDescriptor = __webpack_require__(140); - - var _getOwnPropertyDescriptor2 = _interopRequireDefault(_getOwnPropertyDescriptor); - - exports.assign = assign; - exports.extend = extend; - exports.formatTime = formatTime; - exports.seekStringToSeconds = seekStringToSeconds; - exports.uniqueId = uniqueId; - exports.isNumber = isNumber; - exports.currentScriptUrl = currentScriptUrl; - exports.getBrowserLanguage = getBrowserLanguage; - exports.now = now; - exports.removeArrayItem = removeArrayItem; - exports.listContainsIgnoreCase = listContainsIgnoreCase; - exports.canAutoPlayMedia = canAutoPlayMedia; - - __webpack_require__(143); - - var _browser = __webpack_require__(14); + /***/ }), - var _browser2 = _interopRequireDefault(_browser); + /***/ "./node_modules/babel-runtime/helpers/possibleConstructorReturn.js": + /*!*************************************************************************!*\ + !*** ./node_modules/babel-runtime/helpers/possibleConstructorReturn.js ***! + \*************************************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - var _clapprZepto = __webpack_require__(6); + "use strict"; - var _clapprZepto2 = _interopRequireDefault(_clapprZepto); - var _media = __webpack_require__(147); + exports.__esModule = true; - var _media2 = _interopRequireDefault(_media); + var _typeof2 = __webpack_require__(/*! ../helpers/typeof */ "./node_modules/babel-runtime/helpers/typeof.js"); - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + var _typeof3 = _interopRequireDefault(_typeof2); -// Copyright 2014 Globo.com Player authors. All rights reserved. -// Use of this source code is governed by a BSD-style -// license that can be found in the LICENSE file. - /*jshint -W079 */ + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - function assign(obj, source) { - if (source) { - for (var prop in source) { - var propDescriptor = (0, _getOwnPropertyDescriptor2.default)(source, prop); - propDescriptor ? (0, _defineProperty2.default)(obj, prop, propDescriptor) : obj[prop] = source[prop]; + exports.default = function (self, call) { + if (!self) { + throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } - } - return obj; - } - - function extend(parent, properties) { - var Surrogate = function (_parent) { - (0, _inherits3.default)(Surrogate, _parent); - - function Surrogate() { - (0, _classCallCheck3.default)(this, Surrogate); - - for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) { - args[_key] = arguments[_key]; - } - - var _this = (0, _possibleConstructorReturn3.default)(this, _parent.call.apply(_parent, [this].concat(args))); - if (properties.initialize) properties.initialize.apply(_this, args); + return call && ((typeof call === "undefined" ? "undefined" : (0, _typeof3.default)(call)) === "object" || typeof call === "function") ? call : self; + }; - return _this; - } + /***/ }), - return Surrogate; - }(parent); - - assign(Surrogate.prototype, properties); - return Surrogate; - } - - function formatTime(time, paddedHours) { - if (!isFinite(time)) return '--:--'; - - time = time * 1000; - time = parseInt(time / 1000); - var seconds = time % 60; - time = parseInt(time / 60); - var minutes = time % 60; - time = parseInt(time / 60); - var hours = time % 24; - var days = parseInt(time / 24); - var out = ''; - if (days && days > 0) { - out += days + ':'; - if (hours < 1) out += '00:'; - } - if (hours && hours > 0 || paddedHours) out += ('0' + hours).slice(-2) + ':'; - out += ('0' + minutes).slice(-2) + ':'; - out += ('0' + seconds).slice(-2); - return out.trim(); - } - - var Fullscreen = exports.Fullscreen = { - isFullscreen: function isFullscreen() { - return !!(document.webkitFullscreenElement || document.webkitIsFullScreen || document.mozFullScreen || document.msFullscreenElement); - }, - requestFullscreen: function requestFullscreen(el) { - if (el.requestFullscreen) el.requestFullscreen();else if (el.webkitRequestFullscreen) el.webkitRequestFullscreen();else if (el.mozRequestFullScreen) el.mozRequestFullScreen();else if (el.msRequestFullscreen) el.msRequestFullscreen();else if (el.querySelector && el.querySelector('video') && el.querySelector('video').webkitEnterFullScreen) el.querySelector('video').webkitEnterFullScreen();else if (el.webkitEnterFullScreen) el.webkitEnterFullScreen(); - }, - cancelFullscreen: function cancelFullscreen() { - var el = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : document; - - if (el.exitFullscreen) el.exitFullscreen();else if (el.webkitCancelFullScreen) el.webkitCancelFullScreen();else if (el.webkitExitFullscreen) el.webkitExitFullscreen();else if (el.mozCancelFullScreen) el.mozCancelFullScreen();else if (el.msExitFullscreen) el.msExitFullscreen(); - }, - fullscreenEnabled: function fullscreenEnabled() { - return !!(document.fullscreenEnabled || document.webkitFullscreenEnabled || document.mozFullScreenEnabled || document.msFullscreenEnabled); - } - }; + /***/ "./node_modules/babel-runtime/helpers/toConsumableArray.js": + /*!*****************************************************************!*\ + !*** ./node_modules/babel-runtime/helpers/toConsumableArray.js ***! + \*****************************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - var Config = exports.Config = function () { - function Config() { - (0, _classCallCheck3.default)(this, Config); - } + "use strict"; - Config._defaultConfig = function _defaultConfig() { - return { - volume: { - value: 100, - parse: parseInt - } - }; - }; - Config._defaultValueFor = function _defaultValueFor(key) { - try { - return this._defaultConfig()[key].parse(this._defaultConfig()[key].value); - } catch (e) { - return undefined; - } - }; + exports.__esModule = true; - Config._createKeyspace = function _createKeyspace(key) { - return 'clappr.' + document.domain + '.' + key; - }; + var _from = __webpack_require__(/*! ../core-js/array/from */ "./node_modules/babel-runtime/core-js/array/from.js"); - Config.restore = function restore(key) { - if (_browser2.default.hasLocalstorage && localStorage[this._createKeyspace(key)]) return this._defaultConfig()[key].parse(localStorage[this._createKeyspace(key)]); + var _from2 = _interopRequireDefault(_from); - return this._defaultValueFor(key); - }; + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - Config.persist = function persist(key, value) { - if (_browser2.default.hasLocalstorage) { - try { - localStorage[this._createKeyspace(key)] = value; - return true; - } catch (e) { - return false; + exports.default = function (arr) { + if (Array.isArray(arr)) { + for (var i = 0, arr2 = Array(arr.length); i < arr.length; i++) { + arr2[i] = arr[i]; } - } - }; - - return Config; - }(); - - var QueryString = exports.QueryString = function () { - function QueryString() { - (0, _classCallCheck3.default)(this, QueryString); - } - QueryString.parse = function parse(paramsString) { - var match = void 0; - var pl = /\+/g, - // Regex for replacing addition symbol with a space - search = /([^&=]+)=?([^&]*)/g, - decode = function decode(s) { - return decodeURIComponent(s.replace(pl, ' ')); - }, - params = {}; - while (match = search.exec(paramsString)) { - // eslint-disable-line no-cond-assign - params[decode(match[1]).toLowerCase()] = decode(match[2]); + return arr2; + } else { + return (0, _from2.default)(arr); } - return params; }; - (0, _createClass3.default)(QueryString, null, [{ - key: 'params', - get: function get() { - var query = window.location.search.substring(1); - if (query !== this.query) { - this._urlParams = this.parse(query); - this.query = query; - } - return this._urlParams; - } - }, { - key: 'hashParams', - get: function get() { - var hash = window.location.hash.substring(1); - if (hash !== this.hash) { - this._hashParams = this.parse(hash); - this.hash = hash; - } - return this._hashParams; - } - }]); - return QueryString; - }(); - - function seekStringToSeconds() { - var paramName = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : 't'; - - var seconds = 0; - var seekString = QueryString.params[paramName] || QueryString.hashParams[paramName] || ''; - var parts = seekString.match(/[0-9]+[hms]+/g) || []; - if (parts.length > 0) { - var factor = { 'h': 3600, 'm': 60, 's': 1 }; - parts.forEach(function (el) { - if (el) { - var suffix = el[el.length - 1]; - var time = parseInt(el.slice(0, el.length - 1), 10); - seconds += time * factor[suffix]; - } - }); - } else if (seekString) { - seconds = parseInt(seekString, 10); - } - - return seconds; - } - - var idsCounter = {}; - - function uniqueId(prefix) { - idsCounter[prefix] || (idsCounter[prefix] = 0); - var id = ++idsCounter[prefix]; - return prefix + id; - } - - function isNumber(value) { - return value - parseFloat(value) + 1 >= 0; - } - - function currentScriptUrl() { - var scripts = document.getElementsByTagName('script'); - return scripts.length ? scripts[scripts.length - 1].src : ''; - } - - var requestAnimationFrame = exports.requestAnimationFrame = (window.requestAnimationFrame || window.mozRequestAnimationFrame || window.webkitRequestAnimationFrame || function (fn) { - window.setTimeout(fn, 1000 / 60); - }).bind(window); - - var cancelAnimationFrame = exports.cancelAnimationFrame = (window.cancelAnimationFrame || window.mozCancelAnimationFrame || window.webkitCancelAnimationFrame || window.clearTimeout).bind(window); - - function getBrowserLanguage() { - return window.navigator && window.navigator.language; - } - - function now() { - if (window.performance && window.performance.now) return performance.now(); - - return Date.now(); - } - -// remove the item from the array if it exists in the array - function removeArrayItem(arr, item) { - var i = arr.indexOf(item); - if (i >= 0) arr.splice(i, 1); - } - -// find an item regardless of its letter case - function listContainsIgnoreCase(item, items) { - if (item === undefined || items === undefined) return false; - return items.find(function (itemEach) { - return item.toLowerCase() === itemEach.toLowerCase(); - }) !== undefined; - } - -// https://github.com/video-dev/can-autoplay - function canAutoPlayMedia(cb, options) { - options = (0, _assign2.default)({ - inline: false, - muted: false, - timeout: 250, - type: 'video', - source: _media2.default.mp4, - element: null - }, options); - - var element = options.element ? options.element : document.createElement(options.type); - - element.muted = options.muted; - if (options.muted === true) element.setAttribute('muted', 'muted'); - - if (options.inline === true) element.setAttribute('playsinline', 'playsinline'); + /***/ }), - element.src = options.source; + /***/ "./node_modules/babel-runtime/helpers/typeof.js": + /*!******************************************************!*\ + !*** ./node_modules/babel-runtime/helpers/typeof.js ***! + \******************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - var promise = element.play(); + "use strict"; - var timeoutId = setTimeout(function () { - setResult(false, new Error('Timeout ' + options.timeout + ' ms has been reached')); - }, options.timeout); - var setResult = function setResult(result) { - var error = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : null; - - clearTimeout(timeoutId); - cb(result, error); - }; - - if (promise !== undefined) { - promise.then(function () { - return setResult(true); - }).catch(function (err) { - return setResult(false, err); - }); - } else { - setResult(true); - } - } + exports.__esModule = true; -// Simple Zepto element factory with video recycle feature. - var videoStack = []; + var _iterator = __webpack_require__(/*! ../core-js/symbol/iterator */ "./node_modules/babel-runtime/core-js/symbol/iterator.js"); - var DomRecycler = exports.DomRecycler = function () { - function DomRecycler() { - (0, _classCallCheck3.default)(this, DomRecycler); - } + var _iterator2 = _interopRequireDefault(_iterator); - DomRecycler.configure = function configure(options) { - this.options = _clapprZepto2.default.extend(this.options, options); - }; + var _symbol = __webpack_require__(/*! ../core-js/symbol */ "./node_modules/babel-runtime/core-js/symbol.js"); - DomRecycler.create = function create(name) { - if (this.options.recycleVideo && name === 'video' && videoStack.length > 0) return videoStack.shift(); + var _symbol2 = _interopRequireDefault(_symbol); - return (0, _clapprZepto2.default)('<' + name + '>'); - }; + var _typeof = typeof _symbol2.default === "function" && typeof _iterator2.default === "symbol" ? function (obj) { return typeof obj; } : function (obj) { return obj && typeof _symbol2.default === "function" && obj.constructor === _symbol2.default && obj !== _symbol2.default.prototype ? "symbol" : typeof obj; }; - DomRecycler.garbage = function garbage($el) { - // Expect Zepto collection with single element (does not iterate!) - if (!this.options.recycleVideo || $el[0].tagName.toUpperCase() !== 'VIDEO') return; - $el.children().remove(); - videoStack.push($el); - }; + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - return DomRecycler; - }(); - - DomRecycler.options = { recycleVideo: false }; - - exports.default = { - Config: Config, - Fullscreen: Fullscreen, - QueryString: QueryString, - DomRecycler: DomRecycler, - extend: extend, - formatTime: formatTime, - seekStringToSeconds: seekStringToSeconds, - uniqueId: uniqueId, - currentScriptUrl: currentScriptUrl, - isNumber: isNumber, - requestAnimationFrame: requestAnimationFrame, - cancelAnimationFrame: cancelAnimationFrame, - getBrowserLanguage: getBrowserLanguage, - now: now, - removeArrayItem: removeArrayItem, - canAutoPlayMedia: canAutoPlayMedia, - Media: _media2.default - }; - - /***/ }), - /* 6 */ - /***/ (function(module, exports) { - - /* Zepto v1.2.0 - zepto ajax callbacks deferred event ie selector - zeptojs.com/license */ - - - var Zepto = (function() { - var undefined, key, $, classList, emptyArray = [], concat = emptyArray.concat, filter = emptyArray.filter, slice = emptyArray.slice, - document = window.document, - elementDisplay = {}, classCache = {}, - cssNumber = { 'column-count': 1, 'columns': 1, 'font-weight': 1, 'line-height': 1,'opacity': 1, 'z-index': 1, 'zoom': 1 }, - fragmentRE = /^\s*<(\w+|!)[^>]*>/, - singleTagRE = /^<(\w+)\s*\/?>(?:<\/\1>|)$/, - tagExpanderRE = /<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\w:]+)[^>]*)\/>/ig, - rootNodeRE = /^(?:body|html)$/i, - capitalRE = /([A-Z])/g, - - // special attributes that should be get/set via method calls - methodAttributes = ['val', 'css', 'html', 'text', 'data', 'width', 'height', 'offset'], - - adjacencyOperators = [ 'after', 'prepend', 'before', 'append' ], - table = document.createElement('table'), - tableRow = document.createElement('tr'), - containers = { - 'tr': document.createElement('tbody'), - 'tbody': table, 'thead': table, 'tfoot': table, - 'td': tableRow, 'th': tableRow, - '*': document.createElement('div') - }, - readyRE = /complete|loaded|interactive/, - simpleSelectorRE = /^[\w-]*$/, - class2type = {}, - toString = class2type.toString, - zepto = {}, - camelize, uniq, - tempParent = document.createElement('div'), - propMap = { - 'tabindex': 'tabIndex', - 'readonly': 'readOnly', - 'for': 'htmlFor', - 'class': 'className', - 'maxlength': 'maxLength', - 'cellspacing': 'cellSpacing', - 'cellpadding': 'cellPadding', - 'rowspan': 'rowSpan', - 'colspan': 'colSpan', - 'usemap': 'useMap', - 'frameborder': 'frameBorder', - 'contenteditable': 'contentEditable' - }, - isArray = Array.isArray || - function(object){ return object instanceof Array } - - zepto.matches = function(element, selector) { - if (!selector || !element || element.nodeType !== 1) return false - var matchesSelector = element.matches || element.webkitMatchesSelector || - element.mozMatchesSelector || element.oMatchesSelector || - element.matchesSelector - if (matchesSelector) return matchesSelector.call(element, selector) - // fall back to performing a selector: - var match, parent = element.parentNode, temp = !parent - if (temp) (parent = tempParent).appendChild(element) - match = ~zepto.qsa(parent, selector).indexOf(element) - temp && tempParent.removeChild(element) - return match - } + exports.default = typeof _symbol2.default === "function" && _typeof(_iterator2.default) === "symbol" ? function (obj) { + return typeof obj === "undefined" ? "undefined" : _typeof(obj); + } : function (obj) { + return obj && typeof _symbol2.default === "function" && obj.constructor === _symbol2.default && obj !== _symbol2.default.prototype ? "symbol" : typeof obj === "undefined" ? "undefined" : _typeof(obj); + }; + + /***/ }), + + /***/ "./node_modules/clappr-zepto/zepto.js": + /*!********************************************!*\ + !*** ./node_modules/clappr-zepto/zepto.js ***! + \********************************************/ + /*! no static exports found */ + /***/ (function(module, exports) { + + /* Zepto v1.2.0 - zepto ajax callbacks deferred event ie selector - zeptojs.com/license */ + + + var Zepto = (function() { + var undefined, key, $, classList, emptyArray = [], concat = emptyArray.concat, filter = emptyArray.filter, slice = emptyArray.slice, + document = window.document, + elementDisplay = {}, classCache = {}, + cssNumber = { 'column-count': 1, 'columns': 1, 'font-weight': 1, 'line-height': 1,'opacity': 1, 'z-index': 1, 'zoom': 1 }, + fragmentRE = /^\s*<(\w+|!)[^>]*>/, + singleTagRE = /^<(\w+)\s*\/?>(?:<\/\1>|)$/, + tagExpanderRE = /<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\w:]+)[^>]*)\/>/ig, + rootNodeRE = /^(?:body|html)$/i, + capitalRE = /([A-Z])/g, + + // special attributes that should be get/set via method calls + methodAttributes = ['val', 'css', 'html', 'text', 'data', 'width', 'height', 'offset'], + + adjacencyOperators = [ 'after', 'prepend', 'before', 'append' ], + table = document.createElement('table'), + tableRow = document.createElement('tr'), + containers = { + 'tr': document.createElement('tbody'), + 'tbody': table, 'thead': table, 'tfoot': table, + 'td': tableRow, 'th': tableRow, + '*': document.createElement('div') + }, + readyRE = /complete|loaded|interactive/, + simpleSelectorRE = /^[\w-]*$/, + class2type = {}, + toString = class2type.toString, + zepto = {}, + camelize, uniq, + tempParent = document.createElement('div'), + propMap = { + 'tabindex': 'tabIndex', + 'readonly': 'readOnly', + 'for': 'htmlFor', + 'class': 'className', + 'maxlength': 'maxLength', + 'cellspacing': 'cellSpacing', + 'cellpadding': 'cellPadding', + 'rowspan': 'rowSpan', + 'colspan': 'colSpan', + 'usemap': 'useMap', + 'frameborder': 'frameBorder', + 'contenteditable': 'contentEditable' + }, + isArray = Array.isArray || + function(object){ return object instanceof Array } + + zepto.matches = function(element, selector) { + if (!selector || !element || element.nodeType !== 1) return false + var matchesSelector = element.matches || element.webkitMatchesSelector || + element.mozMatchesSelector || element.oMatchesSelector || + element.matchesSelector + if (matchesSelector) return matchesSelector.call(element, selector) + // fall back to performing a selector: + var match, parent = element.parentNode, temp = !parent + if (temp) (parent = tempParent).appendChild(element) + match = ~zepto.qsa(parent, selector).indexOf(element) + temp && tempParent.removeChild(element) + return match + } + + function type(obj) { + return obj == null ? String(obj) : + class2type[toString.call(obj)] || "object" + } + + function isFunction(value) { return type(value) == "function" } + function isWindow(obj) { return obj != null && obj == obj.window } + function isDocument(obj) { return obj != null && obj.nodeType == obj.DOCUMENT_NODE } + function isObject(obj) { return type(obj) == "object" } + function isPlainObject(obj) { + return isObject(obj) && !isWindow(obj) && Object.getPrototypeOf(obj) == Object.prototype + } + + function likeArray(obj) { + var length = !!obj && 'length' in obj && obj.length, + type = $.type(obj) + + return 'function' != type && !isWindow(obj) && ( + 'array' == type || length === 0 || + (typeof length == 'number' && length > 0 && (length - 1) in obj) + ) + } + + function compact(array) { return filter.call(array, function(item){ return item != null }) } + function flatten(array) { return array.length > 0 ? $.fn.concat.apply([], array) : array } + camelize = function(str){ return str.replace(/-+(.)?/g, function(match, chr){ return chr ? chr.toUpperCase() : '' }) } + function dasherize(str) { + return str.replace(/::/g, '/') + .replace(/([A-Z]+)([A-Z][a-z])/g, '$1_$2') + .replace(/([a-z\d])([A-Z])/g, '$1_$2') + .replace(/_/g, '-') + .toLowerCase() + } + uniq = function(array){ return filter.call(array, function(item, idx){ return array.indexOf(item) == idx }) } + + function classRE(name) { + return name in classCache ? + classCache[name] : (classCache[name] = new RegExp('(^|\\s)' + name + '(\\s|$)')) + } + + function maybeAddPx(name, value) { + return (typeof value == "number" && !cssNumber[dasherize(name)]) ? value + "px" : value + } + + function defaultDisplay(nodeName) { + var element, display + if (!elementDisplay[nodeName]) { + element = document.createElement(nodeName) + document.body.appendChild(element) + display = getComputedStyle(element, '').getPropertyValue("display") + element.parentNode.removeChild(element) + display == "none" && (display = "block") + elementDisplay[nodeName] = display + } + return elementDisplay[nodeName] + } - function type(obj) { - return obj == null ? String(obj) : - class2type[toString.call(obj)] || "object" - } + function children(element) { + return 'children' in element ? + slice.call(element.children) : + $.map(element.childNodes, function(node){ if (node.nodeType == 1) return node }) + } - function isFunction(value) { return type(value) == "function" } - function isWindow(obj) { return obj != null && obj == obj.window } - function isDocument(obj) { return obj != null && obj.nodeType == obj.DOCUMENT_NODE } - function isObject(obj) { return type(obj) == "object" } - function isPlainObject(obj) { - return isObject(obj) && !isWindow(obj) && Object.getPrototypeOf(obj) == Object.prototype - } + function Z(dom, selector) { + var i, len = dom ? dom.length : 0 + for (i = 0; i < len; i++) this[i] = dom[i] + this.length = len + this.selector = selector || '' + } - function likeArray(obj) { - var length = !!obj && 'length' in obj && obj.length, - type = $.type(obj) + // `$.zepto.fragment` takes a html string and an optional tag name + // to generate DOM nodes from the given html string. + // The generated DOM nodes are returned as an array. + // This function can be overridden in plugins for example to make + // it compatible with browsers that don't support the DOM fully. + zepto.fragment = function(html, name, properties) { + var dom, nodes, container - return 'function' != type && !isWindow(obj) && ( - 'array' == type || length === 0 || - (typeof length == 'number' && length > 0 && (length - 1) in obj) - ) - } + // A special case optimization for a single tag + if (singleTagRE.test(html)) dom = $(document.createElement(RegExp.$1)) - function compact(array) { return filter.call(array, function(item){ return item != null }) } - function flatten(array) { return array.length > 0 ? $.fn.concat.apply([], array) : array } - camelize = function(str){ return str.replace(/-+(.)?/g, function(match, chr){ return chr ? chr.toUpperCase() : '' }) } - function dasherize(str) { - return str.replace(/::/g, '/') - .replace(/([A-Z]+)([A-Z][a-z])/g, '$1_$2') - .replace(/([a-z\d])([A-Z])/g, '$1_$2') - .replace(/_/g, '-') - .toLowerCase() - } - uniq = function(array){ return filter.call(array, function(item, idx){ return array.indexOf(item) == idx }) } + if (!dom) { + if (html.replace) html = html.replace(tagExpanderRE, "<$1>") + if (name === undefined) name = fragmentRE.test(html) && RegExp.$1 + if (!(name in containers)) name = '*' - function classRE(name) { - return name in classCache ? - classCache[name] : (classCache[name] = new RegExp('(^|\\s)' + name + '(\\s|$)')) - } + container = containers[name] + container.innerHTML = '' + html + dom = $.each(slice.call(container.childNodes), function(){ + container.removeChild(this) + }) + } - function maybeAddPx(name, value) { - return (typeof value == "number" && !cssNumber[dasherize(name)]) ? value + "px" : value - } + if (isPlainObject(properties)) { + nodes = $(dom) + $.each(properties, function(key, value) { + if (methodAttributes.indexOf(key) > -1) nodes[key](value) + else nodes.attr(key, value) + }) + } - function defaultDisplay(nodeName) { - var element, display - if (!elementDisplay[nodeName]) { - element = document.createElement(nodeName) - document.body.appendChild(element) - display = getComputedStyle(element, '').getPropertyValue("display") - element.parentNode.removeChild(element) - display == "none" && (display = "block") - elementDisplay[nodeName] = display + return dom + } + + // `$.zepto.Z` swaps out the prototype of the given `dom` array + // of nodes with `$.fn` and thus supplying all the Zepto functions + // to the array. This method can be overridden in plugins. + zepto.Z = function(dom, selector) { + return new Z(dom, selector) + } + + // `$.zepto.isZ` should return `true` if the given object is a Zepto + // collection. This method can be overridden in plugins. + zepto.isZ = function(object) { + return object instanceof zepto.Z + } + + // `$.zepto.init` is Zepto's counterpart to jQuery's `$.fn.init` and + // takes a CSS selector and an optional context (and handles various + // special cases). + // This method can be overridden in plugins. + zepto.init = function(selector, context) { + var dom + // If nothing given, return an empty Zepto collection + if (!selector) return zepto.Z() + // Optimize for string selectors + else if (typeof selector == 'string') { + selector = selector.trim() + // If it's a html fragment, create nodes from it + // Note: In both Chrome 21 and Firefox 15, DOM error 12 + // is thrown if the fragment doesn't begin with < + if (selector[0] == '<' && fragmentRE.test(selector)) + dom = zepto.fragment(selector, RegExp.$1, context), selector = null + // If there's a context, create a collection on that context first, and select + // nodes from there + else if (context !== undefined) return $(context).find(selector) + // If it's a CSS selector, use it to select nodes. + else dom = zepto.qsa(document, selector) + } + // If a function is given, call it when the DOM is ready + else if (isFunction(selector)) return $(document).ready(selector) + // If a Zepto collection is given, just return it + else if (zepto.isZ(selector)) return selector + else { + // normalize array if an array of nodes is given + if (isArray(selector)) dom = compact(selector) + // Wrap DOM nodes. + else if (isObject(selector)) + dom = [selector], selector = null + // If it's a html fragment, create nodes from it + else if (fragmentRE.test(selector)) + dom = zepto.fragment(selector.trim(), RegExp.$1, context), selector = null + // If there's a context, create a collection on that context first, and select + // nodes from there + else if (context !== undefined) return $(context).find(selector) + // And last but no least, if it's a CSS selector, use it to select nodes. + else dom = zepto.qsa(document, selector) + } + // create a new Zepto collection from the nodes found + return zepto.Z(dom, selector) + } + + // `$` will be the base `Zepto` object. When calling this + // function just call `$.zepto.init, which makes the implementation + // details of selecting nodes and creating Zepto collections + // patchable in plugins. + $ = function(selector, context){ + return zepto.init(selector, context) + } + + function extend(target, source, deep) { + for (key in source) + if (deep && (isPlainObject(source[key]) || isArray(source[key]))) { + if (isPlainObject(source[key]) && !isPlainObject(target[key])) + target[key] = {} + if (isArray(source[key]) && !isArray(target[key])) + target[key] = [] + extend(target[key], source[key], deep) + } + else if (source[key] !== undefined) target[key] = source[key] } - return elementDisplay[nodeName] - } - - function children(element) { - return 'children' in element ? - slice.call(element.children) : - $.map(element.childNodes, function(node){ if (node.nodeType == 1) return node }) - } - function Z(dom, selector) { - var i, len = dom ? dom.length : 0 - for (i = 0; i < len; i++) this[i] = dom[i] - this.length = len - this.selector = selector || '' - } + // Copy all but undefined properties from one or more + // objects to the `target` object. + $.extend = function(target){ + var deep, args = slice.call(arguments, 1) + if (typeof target == 'boolean') { + deep = target + target = args.shift() + } + args.forEach(function(arg){ extend(target, arg, deep) }) + return target + } + + // `$.zepto.qsa` is Zepto's CSS selector implementation which + // uses `document.querySelectorAll` and optimizes for some special cases, like `#id`. + // This method can be overridden in plugins. + zepto.qsa = function(element, selector){ + var found, + maybeID = selector[0] == '#', + maybeClass = !maybeID && selector[0] == '.', + nameOnly = maybeID || maybeClass ? selector.slice(1) : selector, // Ensure that a 1 char tag name still gets checked + isSimple = simpleSelectorRE.test(nameOnly) + return (element.getElementById && isSimple && maybeID) ? // Safari DocumentFragment doesn't have getElementById + ( (found = element.getElementById(nameOnly)) ? [found] : [] ) : + (element.nodeType !== 1 && element.nodeType !== 9 && element.nodeType !== 11) ? [] : + slice.call( + isSimple && !maybeID && element.getElementsByClassName ? // DocumentFragment doesn't have getElementsByClassName/TagName + maybeClass ? element.getElementsByClassName(nameOnly) : // If it's simple, it could be a class + element.getElementsByTagName(selector) : // Or a tag + element.querySelectorAll(selector) // Or it's not simple, and we need to query all + ) + } + + function filtered(nodes, selector) { + return selector == null ? $(nodes) : $(nodes).filter(selector) + } + + $.contains = document.documentElement.contains ? + function(parent, node) { + return parent !== node && parent.contains(node) + } : + function(parent, node) { + while (node && (node = node.parentNode)) + if (node === parent) return true + return false + } - // `$.zepto.fragment` takes a html string and an optional tag name - // to generate DOM nodes from the given html string. - // The generated DOM nodes are returned as an array. - // This function can be overridden in plugins for example to make - // it compatible with browsers that don't support the DOM fully. - zepto.fragment = function(html, name, properties) { - var dom, nodes, container - - // A special case optimization for a single tag - if (singleTagRE.test(html)) dom = $(document.createElement(RegExp.$1)) - - if (!dom) { - if (html.replace) html = html.replace(tagExpanderRE, "<$1>") - if (name === undefined) name = fragmentRE.test(html) && RegExp.$1 - if (!(name in containers)) name = '*' - - container = containers[name] - container.innerHTML = '' + html - dom = $.each(slice.call(container.childNodes), function(){ - container.removeChild(this) - }) + function funcArg(context, arg, idx, payload) { + return isFunction(arg) ? arg.call(context, idx, payload) : arg } - if (isPlainObject(properties)) { - nodes = $(dom) - $.each(properties, function(key, value) { - if (methodAttributes.indexOf(key) > -1) nodes[key](value) - else nodes.attr(key, value) - }) + function setAttribute(node, name, value) { + value == null ? node.removeAttribute(name) : node.setAttribute(name, value) } - return dom - } - - // `$.zepto.Z` swaps out the prototype of the given `dom` array - // of nodes with `$.fn` and thus supplying all the Zepto functions - // to the array. This method can be overridden in plugins. - zepto.Z = function(dom, selector) { - return new Z(dom, selector) - } - - // `$.zepto.isZ` should return `true` if the given object is a Zepto - // collection. This method can be overridden in plugins. - zepto.isZ = function(object) { - return object instanceof zepto.Z - } + // access className property while respecting SVGAnimatedString + function className(node, value){ + var klass = node.className || '', + svg = klass && klass.baseVal !== undefined - // `$.zepto.init` is Zepto's counterpart to jQuery's `$.fn.init` and - // takes a CSS selector and an optional context (and handles various - // special cases). - // This method can be overridden in plugins. - zepto.init = function(selector, context) { - var dom - // If nothing given, return an empty Zepto collection - if (!selector) return zepto.Z() - // Optimize for string selectors - else if (typeof selector == 'string') { - selector = selector.trim() - // If it's a html fragment, create nodes from it - // Note: In both Chrome 21 and Firefox 15, DOM error 12 - // is thrown if the fragment doesn't begin with < - if (selector[0] == '<' && fragmentRE.test(selector)) - dom = zepto.fragment(selector, RegExp.$1, context), selector = null - // If there's a context, create a collection on that context first, and select - // nodes from there - else if (context !== undefined) return $(context).find(selector) - // If it's a CSS selector, use it to select nodes. - else dom = zepto.qsa(document, selector) - } - // If a function is given, call it when the DOM is ready - else if (isFunction(selector)) return $(document).ready(selector) - // If a Zepto collection is given, just return it - else if (zepto.isZ(selector)) return selector - else { - // normalize array if an array of nodes is given - if (isArray(selector)) dom = compact(selector) - // Wrap DOM nodes. - else if (isObject(selector)) - dom = [selector], selector = null - // If it's a html fragment, create nodes from it - else if (fragmentRE.test(selector)) - dom = zepto.fragment(selector.trim(), RegExp.$1, context), selector = null - // If there's a context, create a collection on that context first, and select - // nodes from there - else if (context !== undefined) return $(context).find(selector) - // And last but no least, if it's a CSS selector, use it to select nodes. - else dom = zepto.qsa(document, selector) + if (value === undefined) return svg ? klass.baseVal : klass + svg ? (klass.baseVal = value) : (node.className = value) } - // create a new Zepto collection from the nodes found - return zepto.Z(dom, selector) - } - - // `$` will be the base `Zepto` object. When calling this - // function just call `$.zepto.init, which makes the implementation - // details of selecting nodes and creating Zepto collections - // patchable in plugins. - $ = function(selector, context){ - return zepto.init(selector, context) - } - function extend(target, source, deep) { - for (key in source) - if (deep && (isPlainObject(source[key]) || isArray(source[key]))) { - if (isPlainObject(source[key]) && !isPlainObject(target[key])) - target[key] = {} - if (isArray(source[key]) && !isArray(target[key])) - target[key] = [] - extend(target[key], source[key], deep) + // "true" => true + // "false" => false + // "null" => null + // "42" => 42 + // "42.5" => 42.5 + // "08" => "08" + // JSON => parse if valid + // String => self + function deserializeValue(value) { + try { + return value ? + value == "true" || + ( value == "false" ? false : + value == "null" ? null : + +value + "" == value ? +value : + /^[\[\{]/.test(value) ? $.parseJSON(value) : + value ) + : value + } catch(e) { + return value } - else if (source[key] !== undefined) target[key] = source[key] - } - - // Copy all but undefined properties from one or more - // objects to the `target` object. - $.extend = function(target){ - var deep, args = slice.call(arguments, 1) - if (typeof target == 'boolean') { - deep = target - target = args.shift() } - args.forEach(function(arg){ extend(target, arg, deep) }) - return target - } - // `$.zepto.qsa` is Zepto's CSS selector implementation which - // uses `document.querySelectorAll` and optimizes for some special cases, like `#id`. - // This method can be overridden in plugins. - zepto.qsa = function(element, selector){ - var found, - maybeID = selector[0] == '#', - maybeClass = !maybeID && selector[0] == '.', - nameOnly = maybeID || maybeClass ? selector.slice(1) : selector, // Ensure that a 1 char tag name still gets checked - isSimple = simpleSelectorRE.test(nameOnly) - return (element.getElementById && isSimple && maybeID) ? // Safari DocumentFragment doesn't have getElementById - ( (found = element.getElementById(nameOnly)) ? [found] : [] ) : - (element.nodeType !== 1 && element.nodeType !== 9 && element.nodeType !== 11) ? [] : - slice.call( - isSimple && !maybeID && element.getElementsByClassName ? // DocumentFragment doesn't have getElementsByClassName/TagName - maybeClass ? element.getElementsByClassName(nameOnly) : // If it's simple, it could be a class - element.getElementsByTagName(selector) : // Or a tag - element.querySelectorAll(selector) // Or it's not simple, and we need to query all - ) - } - - function filtered(nodes, selector) { - return selector == null ? $(nodes) : $(nodes).filter(selector) - } + $.type = type + $.isFunction = isFunction + $.isWindow = isWindow + $.isArray = isArray + $.isPlainObject = isPlainObject - $.contains = document.documentElement.contains ? - function(parent, node) { - return parent !== node && parent.contains(node) - } : - function(parent, node) { - while (node && (node = node.parentNode)) - if (node === parent) return true - return false + $.isEmptyObject = function(obj) { + var name + for (name in obj) return false + return true } - function funcArg(context, arg, idx, payload) { - return isFunction(arg) ? arg.call(context, idx, payload) : arg - } - - function setAttribute(node, name, value) { - value == null ? node.removeAttribute(name) : node.setAttribute(name, value) - } - - // access className property while respecting SVGAnimatedString - function className(node, value){ - var klass = node.className || '', - svg = klass && klass.baseVal !== undefined - - if (value === undefined) return svg ? klass.baseVal : klass - svg ? (klass.baseVal = value) : (node.className = value) - } - - // "true" => true - // "false" => false - // "null" => null - // "42" => 42 - // "42.5" => 42.5 - // "08" => "08" - // JSON => parse if valid - // String => self - function deserializeValue(value) { - try { - return value ? - value == "true" || - ( value == "false" ? false : - value == "null" ? null : - +value + "" == value ? +value : - /^[\[\{]/.test(value) ? $.parseJSON(value) : - value ) - : value - } catch(e) { - return value + $.isNumeric = function(val) { + var num = Number(val), type = typeof val + return val != null && type != 'boolean' && + (type != 'string' || val.length) && + !isNaN(num) && isFinite(num) || false } - } - - $.type = type - $.isFunction = isFunction - $.isWindow = isWindow - $.isArray = isArray - $.isPlainObject = isPlainObject - $.isEmptyObject = function(obj) { - var name - for (name in obj) return false - return true - } + $.inArray = function(elem, array, i){ + return emptyArray.indexOf.call(array, elem, i) + } - $.isNumeric = function(val) { - var num = Number(val), type = typeof val - return val != null && type != 'boolean' && - (type != 'string' || val.length) && - !isNaN(num) && isFinite(num) || false - } + $.camelCase = camelize + $.trim = function(str) { + return str == null ? "" : String.prototype.trim.call(str) + } - $.inArray = function(elem, array, i){ - return emptyArray.indexOf.call(array, elem, i) - } + // plugin compatibility + $.uuid = 0 + $.support = { } + $.expr = { } + $.noop = function() {} - $.camelCase = camelize - $.trim = function(str) { - return str == null ? "" : String.prototype.trim.call(str) - } + $.map = function(elements, callback){ + var value, values = [], i, key + if (likeArray(elements)) + for (i = 0; i < elements.length; i++) { + value = callback(elements[i], i) + if (value != null) values.push(value) + } + else + for (key in elements) { + value = callback(elements[key], key) + if (value != null) values.push(value) + } + return flatten(values) + } - // plugin compatibility - $.uuid = 0 - $.support = { } - $.expr = { } - $.noop = function() {} - - $.map = function(elements, callback){ - var value, values = [], i, key - if (likeArray(elements)) - for (i = 0; i < elements.length; i++) { - value = callback(elements[i], i) - if (value != null) values.push(value) - } - else - for (key in elements) { - value = callback(elements[key], key) - if (value != null) values.push(value) - } - return flatten(values) - } + $.each = function(elements, callback){ + var i, key + if (likeArray(elements)) { + for (i = 0; i < elements.length; i++) + if (callback.call(elements[i], i, elements[i]) === false) return elements + } else { + for (key in elements) + if (callback.call(elements[key], key, elements[key]) === false) return elements + } - $.each = function(elements, callback){ - var i, key - if (likeArray(elements)) { - for (i = 0; i < elements.length; i++) - if (callback.call(elements[i], i, elements[i]) === false) return elements - } else { - for (key in elements) - if (callback.call(elements[key], key, elements[key]) === false) return elements + return elements } - return elements - } + $.grep = function(elements, callback){ + return filter.call(elements, callback) + } - $.grep = function(elements, callback){ - return filter.call(elements, callback) - } + if (window.JSON) $.parseJSON = JSON.parse - if (window.JSON) $.parseJSON = JSON.parse - - // Populate the class2type map - $.each("Boolean Number String Function Array Date RegExp Object Error".split(" "), function(i, name) { - class2type[ "[object " + name + "]" ] = name.toLowerCase() - }) - - // Define methods that will be available on all - // Zepto collections - $.fn = { - constructor: zepto.Z, - length: 0, - - // Because a collection acts like an array - // copy over these useful array functions. - forEach: emptyArray.forEach, - reduce: emptyArray.reduce, - push: emptyArray.push, - sort: emptyArray.sort, - splice: emptyArray.splice, - indexOf: emptyArray.indexOf, - concat: function(){ - var i, value, args = [] - for (i = 0; i < arguments.length; i++) { - value = arguments[i] - args[i] = zepto.isZ(value) ? value.toArray() : value - } - return concat.apply(zepto.isZ(this) ? this.toArray() : this, args) - }, + // Populate the class2type map + $.each("Boolean Number String Function Array Date RegExp Object Error".split(" "), function(i, name) { + class2type[ "[object " + name + "]" ] = name.toLowerCase() + }) - // `map` and `slice` in the jQuery API work differently - // from their array counterparts - map: function(fn){ - return $($.map(this, function(el, i){ return fn.call(el, i, el) })) - }, - slice: function(){ - return $(slice.apply(this, arguments)) - }, + // Define methods that will be available on all + // Zepto collections + $.fn = { + constructor: zepto.Z, + length: 0, + + // Because a collection acts like an array + // copy over these useful array functions. + forEach: emptyArray.forEach, + reduce: emptyArray.reduce, + push: emptyArray.push, + sort: emptyArray.sort, + splice: emptyArray.splice, + indexOf: emptyArray.indexOf, + concat: function(){ + var i, value, args = [] + for (i = 0; i < arguments.length; i++) { + value = arguments[i] + args[i] = zepto.isZ(value) ? value.toArray() : value + } + return concat.apply(zepto.isZ(this) ? this.toArray() : this, args) + }, - ready: function(callback){ - // need to check if document.body exists for IE as that browser reports - // document ready when it hasn't yet created the body element - if (readyRE.test(document.readyState) && document.body) callback($) - else document.addEventListener('DOMContentLoaded', function(){ callback($) }, false) - return this - }, - get: function(idx){ - return idx === undefined ? slice.call(this) : this[idx >= 0 ? idx : idx + this.length] - }, - toArray: function(){ return this.get() }, - size: function(){ - return this.length - }, - remove: function(){ - return this.each(function(){ - if (this.parentNode != null) - this.parentNode.removeChild(this) - }) - }, - each: function(callback){ - emptyArray.every.call(this, function(el, idx){ - return callback.call(el, idx, el) !== false - }) - return this - }, - filter: function(selector){ - if (isFunction(selector)) return this.not(this.not(selector)) - return $(filter.call(this, function(element){ - return zepto.matches(element, selector) - })) - }, - add: function(selector,context){ - return $(uniq(this.concat($(selector,context)))) - }, - is: function(selector){ - return this.length > 0 && zepto.matches(this[0], selector) - }, - not: function(selector){ - var nodes=[] - if (isFunction(selector) && selector.call !== undefined) - this.each(function(idx){ - if (!selector.call(this,idx)) nodes.push(this) + // `map` and `slice` in the jQuery API work differently + // from their array counterparts + map: function(fn){ + return $($.map(this, function(el, i){ return fn.call(el, i, el) })) + }, + slice: function(){ + return $(slice.apply(this, arguments)) + }, + + ready: function(callback){ + // need to check if document.body exists for IE as that browser reports + // document ready when it hasn't yet created the body element + if (readyRE.test(document.readyState) && document.body) callback($) + else document.addEventListener('DOMContentLoaded', function(){ callback($) }, false) + return this + }, + get: function(idx){ + return idx === undefined ? slice.call(this) : this[idx >= 0 ? idx : idx + this.length] + }, + toArray: function(){ return this.get() }, + size: function(){ + return this.length + }, + remove: function(){ + return this.each(function(){ + if (this.parentNode != null) + this.parentNode.removeChild(this) }) - else { - var excludes = typeof selector == 'string' ? this.filter(selector) : - (likeArray(selector) && isFunction(selector.item)) ? slice.call(selector) : $(selector) - this.forEach(function(el){ - if (excludes.indexOf(el) < 0) nodes.push(el) + }, + each: function(callback){ + emptyArray.every.call(this, function(el, idx){ + return callback.call(el, idx, el) !== false }) - } - return $(nodes) - }, - has: function(selector){ - return this.filter(function(){ - return isObject(selector) ? - $.contains(this, selector) : - $(this).find(selector).size() - }) - }, - eq: function(idx){ - return idx === -1 ? this.slice(idx) : this.slice(idx, + idx + 1) - }, - first: function(){ - var el = this[0] - return el && !isObject(el) ? el : $(el) - }, - last: function(){ - var el = this[this.length - 1] - return el && !isObject(el) ? el : $(el) - }, - find: function(selector){ - var result, $this = this - if (!selector) result = $() - else if (typeof selector == 'object') - result = $(selector).filter(function(){ - var node = this - return emptyArray.some.call($this, function(parent){ - return $.contains(parent, node) + return this + }, + filter: function(selector){ + if (isFunction(selector)) return this.not(this.not(selector)) + return $(filter.call(this, function(element){ + return zepto.matches(element, selector) + })) + }, + add: function(selector,context){ + return $(uniq(this.concat($(selector,context)))) + }, + is: function(selector){ + return this.length > 0 && zepto.matches(this[0], selector) + }, + not: function(selector){ + var nodes=[] + if (isFunction(selector) && selector.call !== undefined) + this.each(function(idx){ + if (!selector.call(this,idx)) nodes.push(this) }) + else { + var excludes = typeof selector == 'string' ? this.filter(selector) : + (likeArray(selector) && isFunction(selector.item)) ? slice.call(selector) : $(selector) + this.forEach(function(el){ + if (excludes.indexOf(el) < 0) nodes.push(el) + }) + } + return $(nodes) + }, + has: function(selector){ + return this.filter(function(){ + return isObject(selector) ? + $.contains(this, selector) : + $(this).find(selector).size() }) - else if (this.length == 1) result = $(zepto.qsa(this[0], selector)) - else result = this.map(function(){ return zepto.qsa(this, selector) }) - return result - }, - closest: function(selector, context){ - var nodes = [], collection = typeof selector == 'object' && $(selector) - this.each(function(_, node){ - while (node && !(collection ? collection.indexOf(node) >= 0 : zepto.matches(node, selector))) - node = node !== context && !isDocument(node) && node.parentNode - if (node && nodes.indexOf(node) < 0) nodes.push(node) - }) - return $(nodes) - }, - parents: function(selector){ - var ancestors = [], nodes = this - while (nodes.length > 0) - nodes = $.map(nodes, function(node){ - if ((node = node.parentNode) && !isDocument(node) && ancestors.indexOf(node) < 0) { - ancestors.push(node) - return node - } + }, + eq: function(idx){ + return idx === -1 ? this.slice(idx) : this.slice(idx, + idx + 1) + }, + first: function(){ + var el = this[0] + return el && !isObject(el) ? el : $(el) + }, + last: function(){ + var el = this[this.length - 1] + return el && !isObject(el) ? el : $(el) + }, + find: function(selector){ + var result, $this = this + if (!selector) result = $() + else if (typeof selector == 'object') + result = $(selector).filter(function(){ + var node = this + return emptyArray.some.call($this, function(parent){ + return $.contains(parent, node) + }) + }) + else if (this.length == 1) result = $(zepto.qsa(this[0], selector)) + else result = this.map(function(){ return zepto.qsa(this, selector) }) + return result + }, + closest: function(selector, context){ + var nodes = [], collection = typeof selector == 'object' && $(selector) + this.each(function(_, node){ + while (node && !(collection ? collection.indexOf(node) >= 0 : zepto.matches(node, selector))) + node = node !== context && !isDocument(node) && node.parentNode + if (node && nodes.indexOf(node) < 0) nodes.push(node) }) - return filtered(ancestors, selector) - }, - parent: function(selector){ - return filtered(uniq(this.pluck('parentNode')), selector) - }, - children: function(selector){ - return filtered(this.map(function(){ return children(this) }), selector) - }, - contents: function() { - return this.map(function() { return this.contentDocument || slice.call(this.childNodes) }) - }, - siblings: function(selector){ - return filtered(this.map(function(i, el){ - return filter.call(children(el.parentNode), function(child){ return child!==el }) - }), selector) - }, - empty: function(){ - return this.each(function(){ this.innerHTML = '' }) - }, - // `pluck` is borrowed from Prototype.js - pluck: function(property){ - return $.map(this, function(el){ return el[property] }) - }, - show: function(){ - return this.each(function(){ - this.style.display == "none" && (this.style.display = '') - if (getComputedStyle(this, '').getPropertyValue("display") == "none") - this.style.display = defaultDisplay(this.nodeName) - }) - }, - replaceWith: function(newContent){ - return this.before(newContent).remove() - }, - wrap: function(structure){ - var func = isFunction(structure) - if (this[0] && !func) - var dom = $(structure).get(0), - clone = dom.parentNode || this.length > 1 - - return this.each(function(index){ - $(this).wrapAll( - func ? structure.call(this, index) : - clone ? dom.cloneNode(true) : dom - ) - }) - }, - wrapAll: function(structure){ - if (this[0]) { - $(this[0]).before(structure = $(structure)) - var children - // drill down to the inmost element - while ((children = structure.children()).length) structure = children.first() - $(structure).append(this) - } - return this - }, - wrapInner: function(structure){ - var func = isFunction(structure) - return this.each(function(index){ - var self = $(this), contents = self.contents(), - dom = func ? structure.call(this, index) : structure - contents.length ? contents.wrapAll(dom) : self.append(dom) - }) - }, - unwrap: function(){ - this.parent().each(function(){ - $(this).replaceWith($(this).children()) - }) - return this - }, - clone: function(){ - return this.map(function(){ return this.cloneNode(true) }) - }, - hide: function(){ - return this.css("display", "none") - }, - toggle: function(setting){ - return this.each(function(){ - var el = $(this) - ;(setting === undefined ? el.css("display") == "none" : setting) ? el.show() : el.hide() - }) - }, - prev: function(selector){ return $(this.pluck('previousElementSibling')).filter(selector || '*') }, - next: function(selector){ return $(this.pluck('nextElementSibling')).filter(selector || '*') }, - html: function(html){ - return 0 in arguments ? - this.each(function(idx){ - var originHtml = this.innerHTML - $(this).empty().append( funcArg(this, html, idx, originHtml) ) - }) : - (0 in this ? this[0].innerHTML : null) - }, - text: function(text){ - return 0 in arguments ? - this.each(function(idx){ - var newText = funcArg(this, text, idx, this.textContent) - this.textContent = newText == null ? '' : ''+newText - }) : - (0 in this ? this.pluck('textContent').join("") : null) - }, - attr: function(name, value){ - var result - return (typeof name == 'string' && !(1 in arguments)) ? - (0 in this && this[0].nodeType == 1 && (result = this[0].getAttribute(name)) != null ? result : undefined) : - this.each(function(idx){ - if (this.nodeType !== 1) return - if (isObject(name)) for (key in name) setAttribute(this, key, name[key]) - else setAttribute(this, name, funcArg(this, value, idx, this.getAttribute(name))) + return $(nodes) + }, + parents: function(selector){ + var ancestors = [], nodes = this + while (nodes.length > 0) + nodes = $.map(nodes, function(node){ + if ((node = node.parentNode) && !isDocument(node) && ancestors.indexOf(node) < 0) { + ancestors.push(node) + return node + } + }) + return filtered(ancestors, selector) + }, + parent: function(selector){ + return filtered(uniq(this.pluck('parentNode')), selector) + }, + children: function(selector){ + return filtered(this.map(function(){ return children(this) }), selector) + }, + contents: function() { + return this.map(function() { return this.contentDocument || slice.call(this.childNodes) }) + }, + siblings: function(selector){ + return filtered(this.map(function(i, el){ + return filter.call(children(el.parentNode), function(child){ return child!==el }) + }), selector) + }, + empty: function(){ + return this.each(function(){ this.innerHTML = '' }) + }, + // `pluck` is borrowed from Prototype.js + pluck: function(property){ + return $.map(this, function(el){ return el[property] }) + }, + show: function(){ + return this.each(function(){ + this.style.display == "none" && (this.style.display = '') + if (getComputedStyle(this, '').getPropertyValue("display") == "none") + this.style.display = defaultDisplay(this.nodeName) }) - }, - removeAttr: function(name){ - return this.each(function(){ this.nodeType === 1 && name.split(' ').forEach(function(attribute){ - setAttribute(this, attribute) - }, this)}) - }, - prop: function(name, value){ - name = propMap[name] || name - return (1 in arguments) ? - this.each(function(idx){ - this[name] = funcArg(this, value, idx, this[name]) - }) : - (this[0] && this[0][name]) - }, - removeProp: function(name){ - name = propMap[name] || name - return this.each(function(){ delete this[name] }) - }, - data: function(name, value){ - var attrName = 'data-' + name.replace(capitalRE, '-$1').toLowerCase() + }, + replaceWith: function(newContent){ + return this.before(newContent).remove() + }, + wrap: function(structure){ + var func = isFunction(structure) + if (this[0] && !func) + var dom = $(structure).get(0), + clone = dom.parentNode || this.length > 1 + + return this.each(function(index){ + $(this).wrapAll( + func ? structure.call(this, index) : + clone ? dom.cloneNode(true) : dom + ) + }) + }, + wrapAll: function(structure){ + if (this[0]) { + $(this[0]).before(structure = $(structure)) + var children + // drill down to the inmost element + while ((children = structure.children()).length) structure = children.first() + $(structure).append(this) + } + return this + }, + wrapInner: function(structure){ + var func = isFunction(structure) + return this.each(function(index){ + var self = $(this), contents = self.contents(), + dom = func ? structure.call(this, index) : structure + contents.length ? contents.wrapAll(dom) : self.append(dom) + }) + }, + unwrap: function(){ + this.parent().each(function(){ + $(this).replaceWith($(this).children()) + }) + return this + }, + clone: function(){ + return this.map(function(){ return this.cloneNode(true) }) + }, + hide: function(){ + return this.css("display", "none") + }, + toggle: function(setting){ + return this.each(function(){ + var el = $(this) + ;(setting === undefined ? el.css("display") == "none" : setting) ? el.show() : el.hide() + }) + }, + prev: function(selector){ return $(this.pluck('previousElementSibling')).filter(selector || '*') }, + next: function(selector){ return $(this.pluck('nextElementSibling')).filter(selector || '*') }, + html: function(html){ + return 0 in arguments ? + this.each(function(idx){ + var originHtml = this.innerHTML + $(this).empty().append( funcArg(this, html, idx, originHtml) ) + }) : + (0 in this ? this[0].innerHTML : null) + }, + text: function(text){ + return 0 in arguments ? + this.each(function(idx){ + var newText = funcArg(this, text, idx, this.textContent) + this.textContent = newText == null ? '' : ''+newText + }) : + (0 in this ? this.pluck('textContent').join("") : null) + }, + attr: function(name, value){ + var result + return (typeof name == 'string' && !(1 in arguments)) ? + (0 in this && this[0].nodeType == 1 && (result = this[0].getAttribute(name)) != null ? result : undefined) : + this.each(function(idx){ + if (this.nodeType !== 1) return + if (isObject(name)) for (key in name) setAttribute(this, key, name[key]) + else setAttribute(this, name, funcArg(this, value, idx, this.getAttribute(name))) + }) + }, + removeAttr: function(name){ + return this.each(function(){ this.nodeType === 1 && name.split(' ').forEach(function(attribute){ + setAttribute(this, attribute) + }, this)}) + }, + prop: function(name, value){ + name = propMap[name] || name + return (1 in arguments) ? + this.each(function(idx){ + this[name] = funcArg(this, value, idx, this[name]) + }) : + (this[0] && this[0][name]) + }, + removeProp: function(name){ + name = propMap[name] || name + return this.each(function(){ delete this[name] }) + }, + data: function(name, value){ + var attrName = 'data-' + name.replace(capitalRE, '-$1').toLowerCase() - var data = (1 in arguments) ? - this.attr(attrName, value) : - this.attr(attrName) + var data = (1 in arguments) ? + this.attr(attrName, value) : + this.attr(attrName) - return data !== null ? deserializeValue(data) : undefined - }, - val: function(value){ - if (0 in arguments) { - if (value == null) value = "" - return this.each(function(idx){ - this.value = funcArg(this, value, idx, this.value) + return data !== null ? deserializeValue(data) : undefined + }, + val: function(value){ + if (0 in arguments) { + if (value == null) value = "" + return this.each(function(idx){ + this.value = funcArg(this, value, idx, this.value) + }) + } else { + return this[0] && (this[0].multiple ? + $(this[0]).find('option').filter(function(){ return this.selected }).pluck('value') : + this[0].value) + } + }, + offset: function(coordinates){ + if (coordinates) return this.each(function(index){ + var $this = $(this), + coords = funcArg(this, coordinates, index, $this.offset()), + parentOffset = $this.offsetParent().offset(), + props = { + top: coords.top - parentOffset.top, + left: coords.left - parentOffset.left + } + + if ($this.css('position') == 'static') props['position'] = 'relative' + $this.css(props) }) - } else { - return this[0] && (this[0].multiple ? - $(this[0]).find('option').filter(function(){ return this.selected }).pluck('value') : - this[0].value) - } - }, - offset: function(coordinates){ - if (coordinates) return this.each(function(index){ - var $this = $(this), - coords = funcArg(this, coordinates, index, $this.offset()), - parentOffset = $this.offsetParent().offset(), - props = { - top: coords.top - parentOffset.top, - left: coords.left - parentOffset.left + if (!this.length) return null + if (document.documentElement !== this[0] && !$.contains(document.documentElement, this[0])) + return {top: 0, left: 0} + var obj = this[0].getBoundingClientRect() + return { + left: obj.left + window.pageXOffset, + top: obj.top + window.pageYOffset, + width: Math.round(obj.width), + height: Math.round(obj.height) + } + }, + css: function(property, value){ + if (arguments.length < 2) { + var element = this[0] + if (typeof property == 'string') { + if (!element) return + return element.style[camelize(property)] || getComputedStyle(element, '').getPropertyValue(property) + } else if (isArray(property)) { + if (!element) return + var props = {} + var computedStyle = getComputedStyle(element, '') + $.each(property, function(_, prop){ + props[prop] = (element.style[camelize(prop)] || computedStyle.getPropertyValue(prop)) + }) + return props } - - if ($this.css('position') == 'static') props['position'] = 'relative' - $this.css(props) - }) - if (!this.length) return null - if (document.documentElement !== this[0] && !$.contains(document.documentElement, this[0])) - return {top: 0, left: 0} - var obj = this[0].getBoundingClientRect() - return { - left: obj.left + window.pageXOffset, - top: obj.top + window.pageYOffset, - width: Math.round(obj.width), - height: Math.round(obj.height) - } - }, - css: function(property, value){ - if (arguments.length < 2) { - var element = this[0] - if (typeof property == 'string') { - if (!element) return - return element.style[camelize(property)] || getComputedStyle(element, '').getPropertyValue(property) - } else if (isArray(property)) { - if (!element) return - var props = {} - var computedStyle = getComputedStyle(element, '') - $.each(property, function(_, prop){ - props[prop] = (element.style[camelize(prop)] || computedStyle.getPropertyValue(prop)) - }) - return props } - } - var css = '' - if (type(property) == 'string') { - if (!value && value !== 0) - this.each(function(){ this.style.removeProperty(dasherize(property)) }) - else - css = dasherize(property) + ":" + maybeAddPx(property, value) - } else { - for (key in property) - if (!property[key] && property[key] !== 0) - this.each(function(){ this.style.removeProperty(dasherize(key)) }) + var css = '' + if (type(property) == 'string') { + if (!value && value !== 0) + this.each(function(){ this.style.removeProperty(dasherize(property)) }) else - css += dasherize(key) + ':' + maybeAddPx(key, property[key]) + ';' - } + css = dasherize(property) + ":" + maybeAddPx(property, value) + } else { + for (key in property) + if (!property[key] && property[key] !== 0) + this.each(function(){ this.style.removeProperty(dasherize(key)) }) + else + css += dasherize(key) + ':' + maybeAddPx(key, property[key]) + ';' + } - return this.each(function(){ this.style.cssText += ';' + css }) - }, - index: function(element){ - return element ? this.indexOf($(element)[0]) : this.parent().children().indexOf(this[0]) - }, - hasClass: function(name){ - if (!name) return false - return emptyArray.some.call(this, function(el){ - return this.test(className(el)) - }, classRE(name)) - }, - addClass: function(name){ - if (!name) return this - return this.each(function(idx){ - if (!('className' in this)) return - classList = [] - var cls = className(this), newName = funcArg(this, name, idx, cls) - newName.split(/\s+/g).forEach(function(klass){ - if (!$(this).hasClass(klass)) classList.push(klass) - }, this) - classList.length && className(this, cls + (cls ? " " : "") + classList.join(" ")) - }) - }, - removeClass: function(name){ - return this.each(function(idx){ - if (!('className' in this)) return - if (name === undefined) return className(this, '') - classList = className(this) - funcArg(this, name, idx, classList).split(/\s+/g).forEach(function(klass){ - classList = classList.replace(classRE(klass), " ") + return this.each(function(){ this.style.cssText += ';' + css }) + }, + index: function(element){ + return element ? this.indexOf($(element)[0]) : this.parent().children().indexOf(this[0]) + }, + hasClass: function(name){ + if (!name) return false + return emptyArray.some.call(this, function(el){ + return this.test(className(el)) + }, classRE(name)) + }, + addClass: function(name){ + if (!name) return this + return this.each(function(idx){ + if (!('className' in this)) return + classList = [] + var cls = className(this), newName = funcArg(this, name, idx, cls) + newName.split(/\s+/g).forEach(function(klass){ + if (!$(this).hasClass(klass)) classList.push(klass) + }, this) + classList.length && className(this, cls + (cls ? " " : "") + classList.join(" ")) }) - className(this, classList.trim()) - }) - }, - toggleClass: function(name, when){ - if (!name) return this - return this.each(function(idx){ - var $this = $(this), names = funcArg(this, name, idx, className(this)) - names.split(/\s+/g).forEach(function(klass){ - (when === undefined ? !$this.hasClass(klass) : when) ? - $this.addClass(klass) : $this.removeClass(klass) + }, + removeClass: function(name){ + return this.each(function(idx){ + if (!('className' in this)) return + if (name === undefined) return className(this, '') + classList = className(this) + funcArg(this, name, idx, classList).split(/\s+/g).forEach(function(klass){ + classList = classList.replace(classRE(klass), " ") + }) + className(this, classList.trim()) + }) + }, + toggleClass: function(name, when){ + if (!name) return this + return this.each(function(idx){ + var $this = $(this), names = funcArg(this, name, idx, className(this)) + names.split(/\s+/g).forEach(function(klass){ + (when === undefined ? !$this.hasClass(klass) : when) ? + $this.addClass(klass) : $this.removeClass(klass) + }) + }) + }, + scrollTop: function(value){ + if (!this.length) return + var hasScrollTop = 'scrollTop' in this[0] + if (value === undefined) return hasScrollTop ? this[0].scrollTop : this[0].pageYOffset + return this.each(hasScrollTop ? + function(){ this.scrollTop = value } : + function(){ this.scrollTo(this.scrollX, value) }) + }, + scrollLeft: function(value){ + if (!this.length) return + var hasScrollLeft = 'scrollLeft' in this[0] + if (value === undefined) return hasScrollLeft ? this[0].scrollLeft : this[0].pageXOffset + return this.each(hasScrollLeft ? + function(){ this.scrollLeft = value } : + function(){ this.scrollTo(value, this.scrollY) }) + }, + position: function() { + if (!this.length) return + + var elem = this[0], + // Get *real* offsetParent + offsetParent = this.offsetParent(), + // Get correct offsets + offset = this.offset(), + parentOffset = rootNodeRE.test(offsetParent[0].nodeName) ? { top: 0, left: 0 } : offsetParent.offset() + + // Subtract element margins + // note: when an element has margin: auto the offsetLeft and marginLeft + // are the same in Safari causing offset.left to incorrectly be 0 + offset.top -= parseFloat( $(elem).css('margin-top') ) || 0 + offset.left -= parseFloat( $(elem).css('margin-left') ) || 0 + + // Add offsetParent borders + parentOffset.top += parseFloat( $(offsetParent[0]).css('border-top-width') ) || 0 + parentOffset.left += parseFloat( $(offsetParent[0]).css('border-left-width') ) || 0 + + // Subtract the two offsets + return { + top: offset.top - parentOffset.top, + left: offset.left - parentOffset.left + } + }, + offsetParent: function() { + return this.map(function(){ + var parent = this.offsetParent || document.body + while (parent && !rootNodeRE.test(parent.nodeName) && $(parent).css("position") == "static") + parent = parent.offsetParent + return parent }) - }) - }, - scrollTop: function(value){ - if (!this.length) return - var hasScrollTop = 'scrollTop' in this[0] - if (value === undefined) return hasScrollTop ? this[0].scrollTop : this[0].pageYOffset - return this.each(hasScrollTop ? - function(){ this.scrollTop = value } : - function(){ this.scrollTo(this.scrollX, value) }) - }, - scrollLeft: function(value){ - if (!this.length) return - var hasScrollLeft = 'scrollLeft' in this[0] - if (value === undefined) return hasScrollLeft ? this[0].scrollLeft : this[0].pageXOffset - return this.each(hasScrollLeft ? - function(){ this.scrollLeft = value } : - function(){ this.scrollTo(value, this.scrollY) }) - }, - position: function() { - if (!this.length) return - - var elem = this[0], - // Get *real* offsetParent - offsetParent = this.offsetParent(), - // Get correct offsets - offset = this.offset(), - parentOffset = rootNodeRE.test(offsetParent[0].nodeName) ? { top: 0, left: 0 } : offsetParent.offset() - - // Subtract element margins - // note: when an element has margin: auto the offsetLeft and marginLeft - // are the same in Safari causing offset.left to incorrectly be 0 - offset.top -= parseFloat( $(elem).css('margin-top') ) || 0 - offset.left -= parseFloat( $(elem).css('margin-left') ) || 0 - - // Add offsetParent borders - parentOffset.top += parseFloat( $(offsetParent[0]).css('border-top-width') ) || 0 - parentOffset.left += parseFloat( $(offsetParent[0]).css('border-left-width') ) || 0 - - // Subtract the two offsets - return { - top: offset.top - parentOffset.top, - left: offset.left - parentOffset.left } - }, - offsetParent: function() { - return this.map(function(){ - var parent = this.offsetParent || document.body - while (parent && !rootNodeRE.test(parent.nodeName) && $(parent).css("position") == "static") - parent = parent.offsetParent - return parent - }) } - } - // for now - $.fn.detach = $.fn.remove - - // Generate the `width` and `height` functions - ;['width', 'height'].forEach(function(dimension){ - var dimensionProperty = - dimension.replace(/./, function(m){ return m[0].toUpperCase() }) - - $.fn[dimension] = function(value){ - var offset, el = this[0] - if (value === undefined) return isWindow(el) ? el['inner' + dimensionProperty] : - isDocument(el) ? el.documentElement['scroll' + dimensionProperty] : - (offset = this.offset()) && offset[dimension] - else return this.each(function(idx){ - el = $(this) - el.css(dimension, funcArg(this, value, idx, el[dimension]())) - }) - } - }) + // for now + $.fn.detach = $.fn.remove - function traverseNode(node, fun) { - fun(node) - for (var i = 0, len = node.childNodes.length; i < len; i++) - traverseNode(node.childNodes[i], fun) - } + // Generate the `width` and `height` functions + ;['width', 'height'].forEach(function(dimension){ + var dimensionProperty = + dimension.replace(/./, function(m){ return m[0].toUpperCase() }) + + $.fn[dimension] = function(value){ + var offset, el = this[0] + if (value === undefined) return isWindow(el) ? el['inner' + dimensionProperty] : + isDocument(el) ? el.documentElement['scroll' + dimensionProperty] : + (offset = this.offset()) && offset[dimension] + else return this.each(function(idx){ + el = $(this) + el.css(dimension, funcArg(this, value, idx, el[dimension]())) + }) + } + }) - // Generate the `after`, `prepend`, `before`, `append`, - // `insertAfter`, `insertBefore`, `appendTo`, and `prependTo` methods. - adjacencyOperators.forEach(function(operator, operatorIndex) { - var inside = operatorIndex % 2 //=> prepend, append - - $.fn[operator] = function(){ - // arguments can be nodes, arrays of nodes, Zepto objects and HTML strings - var argType, nodes = $.map(arguments, function(arg) { - var arr = [] - argType = type(arg) - if (argType == "array") { - arg.forEach(function(el) { - if (el.nodeType !== undefined) return arr.push(el) - else if ($.zepto.isZ(el)) return arr = arr.concat(el.get()) - arr = arr.concat(zepto.fragment(el)) + function traverseNode(node, fun) { + fun(node) + for (var i = 0, len = node.childNodes.length; i < len; i++) + traverseNode(node.childNodes[i], fun) + } + + // Generate the `after`, `prepend`, `before`, `append`, + // `insertAfter`, `insertBefore`, `appendTo`, and `prependTo` methods. + adjacencyOperators.forEach(function(operator, operatorIndex) { + var inside = operatorIndex % 2 //=> prepend, append + + $.fn[operator] = function(){ + // arguments can be nodes, arrays of nodes, Zepto objects and HTML strings + var argType, nodes = $.map(arguments, function(arg) { + var arr = [] + argType = type(arg) + if (argType == "array") { + arg.forEach(function(el) { + if (el.nodeType !== undefined) return arr.push(el) + else if ($.zepto.isZ(el)) return arr = arr.concat(el.get()) + arr = arr.concat(zepto.fragment(el)) + }) + return arr + } + return argType == "object" || arg == null ? + arg : zepto.fragment(arg) + }), + parent, copyByClone = this.length > 1 + if (nodes.length < 1) return this + + return this.each(function(_, target){ + parent = inside ? target : target.parentNode + + // convert all methods to a "before" operation + target = operatorIndex == 0 ? target.nextSibling : + operatorIndex == 1 ? target.firstChild : + operatorIndex == 2 ? target : + null + + var parentInDocument = $.contains(document.documentElement, parent) + + nodes.forEach(function(node){ + if (copyByClone) node = node.cloneNode(true) + else if (!parent) return $(node).remove() + + parent.insertBefore(node, target) + if (parentInDocument) traverseNode(node, function(el){ + if (el.nodeName != null && el.nodeName.toUpperCase() === 'SCRIPT' && + (!el.type || el.type === 'text/javascript') && !el.src){ + var target = el.ownerDocument ? el.ownerDocument.defaultView : window + target['eval'].call(target, el.innerHTML) + } }) - return arr - } - return argType == "object" || arg == null ? - arg : zepto.fragment(arg) - }), - parent, copyByClone = this.length > 1 - if (nodes.length < 1) return this - - return this.each(function(_, target){ - parent = inside ? target : target.parentNode - - // convert all methods to a "before" operation - target = operatorIndex == 0 ? target.nextSibling : - operatorIndex == 1 ? target.firstChild : - operatorIndex == 2 ? target : - null - - var parentInDocument = $.contains(document.documentElement, parent) - - nodes.forEach(function(node){ - if (copyByClone) node = node.cloneNode(true) - else if (!parent) return $(node).remove() - - parent.insertBefore(node, target) - if (parentInDocument) traverseNode(node, function(el){ - if (el.nodeName != null && el.nodeName.toUpperCase() === 'SCRIPT' && - (!el.type || el.type === 'text/javascript') && !el.src){ - var target = el.ownerDocument ? el.ownerDocument.defaultView : window - target['eval'].call(target, el.innerHTML) - } }) }) - }) - } + } - // after => insertAfter - // prepend => prependTo - // before => insertBefore - // append => appendTo - $.fn[inside ? operator+'To' : 'insert'+(operatorIndex ? 'Before' : 'After')] = function(html){ - $(html)[operator](this) - return this - } - }) - - zepto.Z.prototype = Z.prototype = $.fn - - // Export internal API functions in the `$.zepto` namespace - zepto.uniq = uniq - zepto.deserializeValue = deserializeValue - $.zepto = zepto - - return $ - })() - - window.Zepto = Zepto - window.$ === undefined && (window.$ = Zepto) - - ;(function($){ - var jsonpID = +new Date(), - document = window.document, - key, - name, - rscript = /)<[^<]*)*<\/script>/gi, - scriptTypeRE = /^(?:text|application)\/javascript/i, - xmlTypeRE = /^(?:text|application)\/xml/i, - jsonType = 'application/json', - htmlType = 'text/html', - blankRE = /^\s*$/, - originAnchor = document.createElement('a') - - originAnchor.href = window.location.href - - // trigger a custom event and return false if it was cancelled - function triggerAndReturn(context, eventName, data) { - var event = $.Event(eventName) - $(context).trigger(event, data) - return !event.isDefaultPrevented() - } + // after => insertAfter + // prepend => prependTo + // before => insertBefore + // append => appendTo + $.fn[inside ? operator+'To' : 'insert'+(operatorIndex ? 'Before' : 'After')] = function(html){ + $(html)[operator](this) + return this + } + }) - // trigger an Ajax "global" event - function triggerGlobal(settings, context, eventName, data) { - if (settings.global) return triggerAndReturn(context || document, eventName, data) - } + zepto.Z.prototype = Z.prototype = $.fn - // Number of active Ajax requests - $.active = 0 + // Export internal API functions in the `$.zepto` namespace + zepto.uniq = uniq + zepto.deserializeValue = deserializeValue + $.zepto = zepto - function ajaxStart(settings) { - if (settings.global && $.active++ === 0) triggerGlobal(settings, null, 'ajaxStart') - } - function ajaxStop(settings) { - if (settings.global && !(--$.active)) triggerGlobal(settings, null, 'ajaxStop') - } + return $ + })() - // triggers an extra global event "ajaxBeforeSend" that's like "ajaxSend" but cancelable - function ajaxBeforeSend(xhr, settings) { - var context = settings.context - if (settings.beforeSend.call(context, xhr, settings) === false || - triggerGlobal(settings, context, 'ajaxBeforeSend', [xhr, settings]) === false) - return false + window.Zepto = Zepto + window.$ === undefined && (window.$ = Zepto) - triggerGlobal(settings, context, 'ajaxSend', [xhr, settings]) - } - function ajaxSuccess(data, xhr, settings, deferred) { - var context = settings.context, status = 'success' - settings.success.call(context, data, status, xhr) - if (deferred) deferred.resolveWith(context, [data, status, xhr]) - triggerGlobal(settings, context, 'ajaxSuccess', [xhr, settings, data]) - ajaxComplete(status, xhr, settings) - } - // type: "timeout", "error", "abort", "parsererror" - function ajaxError(error, type, xhr, settings, deferred) { - var context = settings.context - settings.error.call(context, xhr, type, error) - if (deferred) deferred.rejectWith(context, [xhr, type, error]) - triggerGlobal(settings, context, 'ajaxError', [xhr, settings, error || type]) - ajaxComplete(type, xhr, settings) - } - // status: "success", "notmodified", "error", "timeout", "abort", "parsererror" - function ajaxComplete(status, xhr, settings) { - var context = settings.context - settings.complete.call(context, xhr, status) - triggerGlobal(settings, context, 'ajaxComplete', [xhr, settings]) - ajaxStop(settings) - } + ;(function($){ + var jsonpID = +new Date(), + document = window.document, + key, + name, + rscript = /)<[^<]*)*<\/script>/gi, + scriptTypeRE = /^(?:text|application)\/javascript/i, + xmlTypeRE = /^(?:text|application)\/xml/i, + jsonType = 'application/json', + htmlType = 'text/html', + blankRE = /^\s*$/, + originAnchor = document.createElement('a') - function ajaxDataFilter(data, type, settings) { - if (settings.dataFilter == empty) return data - var context = settings.context - return settings.dataFilter.call(context, data, type) - } + originAnchor.href = window.location.href - // Empty function, used as default callback - function empty() {} + // trigger a custom event and return false if it was cancelled + function triggerAndReturn(context, eventName, data) { + var event = $.Event(eventName) + $(context).trigger(event, data) + return !event.isDefaultPrevented() + } - $.ajaxJSONP = function(options, deferred){ - if (!('type' in options)) return $.ajax(options) + // trigger an Ajax "global" event + function triggerGlobal(settings, context, eventName, data) { + if (settings.global) return triggerAndReturn(context || document, eventName, data) + } - var _callbackName = options.jsonpCallback, - callbackName = ($.isFunction(_callbackName) ? - _callbackName() : _callbackName) || ('Zepto' + (jsonpID++)), - script = document.createElement('script'), - originalCallback = window[callbackName], - responseData, - abort = function(errorType) { - $(script).triggerHandler('error', errorType || 'abort') - }, - xhr = { abort: abort }, abortTimeout + // Number of active Ajax requests + $.active = 0 - if (deferred) deferred.promise(xhr) + function ajaxStart(settings) { + if (settings.global && $.active++ === 0) triggerGlobal(settings, null, 'ajaxStart') + } + function ajaxStop(settings) { + if (settings.global && !(--$.active)) triggerGlobal(settings, null, 'ajaxStop') + } - $(script).on('load error', function(e, errorType){ - clearTimeout(abortTimeout) - $(script).off().remove() + // triggers an extra global event "ajaxBeforeSend" that's like "ajaxSend" but cancelable + function ajaxBeforeSend(xhr, settings) { + var context = settings.context + if (settings.beforeSend.call(context, xhr, settings) === false || + triggerGlobal(settings, context, 'ajaxBeforeSend', [xhr, settings]) === false) + return false - if (e.type == 'error' || !responseData) { - ajaxError(null, errorType || 'error', xhr, options, deferred) - } else { - ajaxSuccess(responseData[0], xhr, options, deferred) - } + triggerGlobal(settings, context, 'ajaxSend', [xhr, settings]) + } + function ajaxSuccess(data, xhr, settings, deferred) { + var context = settings.context, status = 'success' + settings.success.call(context, data, status, xhr) + if (deferred) deferred.resolveWith(context, [data, status, xhr]) + triggerGlobal(settings, context, 'ajaxSuccess', [xhr, settings, data]) + ajaxComplete(status, xhr, settings) + } + // type: "timeout", "error", "abort", "parsererror" + function ajaxError(error, type, xhr, settings, deferred) { + var context = settings.context + settings.error.call(context, xhr, type, error) + if (deferred) deferred.rejectWith(context, [xhr, type, error]) + triggerGlobal(settings, context, 'ajaxError', [xhr, settings, error || type]) + ajaxComplete(type, xhr, settings) + } + // status: "success", "notmodified", "error", "timeout", "abort", "parsererror" + function ajaxComplete(status, xhr, settings) { + var context = settings.context + settings.complete.call(context, xhr, status) + triggerGlobal(settings, context, 'ajaxComplete', [xhr, settings]) + ajaxStop(settings) + } - window[callbackName] = originalCallback - if (responseData && $.isFunction(originalCallback)) - originalCallback(responseData[0]) + function ajaxDataFilter(data, type, settings) { + if (settings.dataFilter == empty) return data + var context = settings.context + return settings.dataFilter.call(context, data, type) + } - originalCallback = responseData = undefined - }) + // Empty function, used as default callback + function empty() {} - if (ajaxBeforeSend(xhr, options) === false) { - abort('abort') - return xhr - } + $.ajaxJSONP = function(options, deferred){ + if (!('type' in options)) return $.ajax(options) - window[callbackName] = function(){ - responseData = arguments - } + var _callbackName = options.jsonpCallback, + callbackName = ($.isFunction(_callbackName) ? + _callbackName() : _callbackName) || ('Zepto' + (jsonpID++)), + script = document.createElement('script'), + originalCallback = window[callbackName], + responseData, + abort = function(errorType) { + $(script).triggerHandler('error', errorType || 'abort') + }, + xhr = { abort: abort }, abortTimeout - script.src = options.url.replace(/\?(.+)=\?/, '?$1=' + callbackName) - document.head.appendChild(script) + if (deferred) deferred.promise(xhr) - if (options.timeout > 0) abortTimeout = setTimeout(function(){ - abort('timeout') - }, options.timeout) + $(script).on('load error', function(e, errorType){ + clearTimeout(abortTimeout) + $(script).off().remove() - return xhr - } + if (e.type == 'error' || !responseData) { + ajaxError(null, errorType || 'error', xhr, options, deferred) + } else { + ajaxSuccess(responseData[0], xhr, options, deferred) + } - $.ajaxSettings = { - // Default type of request - type: 'GET', - // Callback that is executed before request - beforeSend: empty, - // Callback that is executed if the request succeeds - success: empty, - // Callback that is executed the the server drops error - error: empty, - // Callback that is executed on request complete (both: error and success) - complete: empty, - // The context for the callbacks - context: null, - // Whether to trigger "global" Ajax events - global: true, - // Transport - xhr: function () { - return new window.XMLHttpRequest() - }, - // MIME types mapping - // IIS returns Javascript as "application/x-javascript" - accepts: { - script: 'text/javascript, application/javascript, application/x-javascript', - json: jsonType, - xml: 'application/xml, text/xml', - html: htmlType, - text: 'text/plain' - }, - // Whether the request is to another domain - crossDomain: false, - // Default timeout - timeout: 0, - // Whether data should be serialized to string - processData: true, - // Whether the browser should be allowed to cache GET responses - cache: true, - //Used to handle the raw response data of XMLHttpRequest. - //This is a pre-filtering function to sanitize the response. - //The sanitized response should be returned - dataFilter: empty - } + window[callbackName] = originalCallback + if (responseData && $.isFunction(originalCallback)) + originalCallback(responseData[0]) - function mimeToDataType(mime) { - if (mime) mime = mime.split(';', 2)[0] - return mime && ( mime == htmlType ? 'html' : - mime == jsonType ? 'json' : - scriptTypeRE.test(mime) ? 'script' : - xmlTypeRE.test(mime) && 'xml' ) || 'text' - } + originalCallback = responseData = undefined + }) - function appendQuery(url, query) { - if (query == '') return url - return (url + '&' + query).replace(/[&?]{1,2}/, '?') - } + if (ajaxBeforeSend(xhr, options) === false) { + abort('abort') + return xhr + } - // serialize payload and append it to the URL for GET requests - function serializeData(options) { - if (options.processData && options.data && $.type(options.data) != "string") - options.data = $.param(options.data, options.traditional) - if (options.data && (!options.type || options.type.toUpperCase() == 'GET' || 'jsonp' == options.dataType)) - options.url = appendQuery(options.url, options.data), options.data = undefined - } + window[callbackName] = function(){ + responseData = arguments + } - $.ajax = function(options){ - var settings = $.extend({}, options || {}), - deferred = $.Deferred && $.Deferred(), - urlAnchor, hashIndex - for (key in $.ajaxSettings) if (settings[key] === undefined) settings[key] = $.ajaxSettings[key] + script.src = options.url.replace(/\?(.+)=\?/, '?$1=' + callbackName) + document.head.appendChild(script) - ajaxStart(settings) + if (options.timeout > 0) abortTimeout = setTimeout(function(){ + abort('timeout') + }, options.timeout) - if (!settings.crossDomain) { - urlAnchor = document.createElement('a') - urlAnchor.href = settings.url - // cleans up URL for .href (IE only), see https://github.com/madrobby/zepto/pull/1049 - urlAnchor.href = urlAnchor.href - settings.crossDomain = (originAnchor.protocol + '//' + originAnchor.host) !== (urlAnchor.protocol + '//' + urlAnchor.host) + return xhr } - if (!settings.url) settings.url = window.location.toString() - if ((hashIndex = settings.url.indexOf('#')) > -1) settings.url = settings.url.slice(0, hashIndex) - serializeData(settings) + $.ajaxSettings = { + // Default type of request + type: 'GET', + // Callback that is executed before request + beforeSend: empty, + // Callback that is executed if the request succeeds + success: empty, + // Callback that is executed the the server drops error + error: empty, + // Callback that is executed on request complete (both: error and success) + complete: empty, + // The context for the callbacks + context: null, + // Whether to trigger "global" Ajax events + global: true, + // Transport + xhr: function () { + return new window.XMLHttpRequest() + }, + // MIME types mapping + // IIS returns Javascript as "application/x-javascript" + accepts: { + script: 'text/javascript, application/javascript, application/x-javascript', + json: jsonType, + xml: 'application/xml, text/xml', + html: htmlType, + text: 'text/plain' + }, + // Whether the request is to another domain + crossDomain: false, + // Default timeout + timeout: 0, + // Whether data should be serialized to string + processData: true, + // Whether the browser should be allowed to cache GET responses + cache: true, + //Used to handle the raw response data of XMLHttpRequest. + //This is a pre-filtering function to sanitize the response. + //The sanitized response should be returned + dataFilter: empty + } + + function mimeToDataType(mime) { + if (mime) mime = mime.split(';', 2)[0] + return mime && ( mime == htmlType ? 'html' : + mime == jsonType ? 'json' : + scriptTypeRE.test(mime) ? 'script' : + xmlTypeRE.test(mime) && 'xml' ) || 'text' + } + + function appendQuery(url, query) { + if (query == '') return url + return (url + '&' + query).replace(/[&?]{1,2}/, '?') + } + + // serialize payload and append it to the URL for GET requests + function serializeData(options) { + if (options.processData && options.data && $.type(options.data) != "string") + options.data = $.param(options.data, options.traditional) + if (options.data && (!options.type || options.type.toUpperCase() == 'GET' || 'jsonp' == options.dataType)) + options.url = appendQuery(options.url, options.data), options.data = undefined + } + + $.ajax = function(options){ + var settings = $.extend({}, options || {}), + deferred = $.Deferred && $.Deferred(), + urlAnchor, hashIndex + for (key in $.ajaxSettings) if (settings[key] === undefined) settings[key] = $.ajaxSettings[key] + + ajaxStart(settings) + + if (!settings.crossDomain) { + urlAnchor = document.createElement('a') + urlAnchor.href = settings.url + // cleans up URL for .href (IE only), see https://github.com/madrobby/zepto/pull/1049 + urlAnchor.href = urlAnchor.href + settings.crossDomain = (originAnchor.protocol + '//' + originAnchor.host) !== (urlAnchor.protocol + '//' + urlAnchor.host) + } + + if (!settings.url) settings.url = window.location.toString() + if ((hashIndex = settings.url.indexOf('#')) > -1) settings.url = settings.url.slice(0, hashIndex) + serializeData(settings) - var dataType = settings.dataType, hasPlaceholder = /\?.+=\?/.test(settings.url) - if (hasPlaceholder) dataType = 'jsonp' + var dataType = settings.dataType, hasPlaceholder = /\?.+=\?/.test(settings.url) + if (hasPlaceholder) dataType = 'jsonp' - if (settings.cache === false || ( - (!options || options.cache !== true) && - ('script' == dataType || 'jsonp' == dataType) - )) - settings.url = appendQuery(settings.url, '_=' + Date.now()) + if (settings.cache === false || ( + (!options || options.cache !== true) && + ('script' == dataType || 'jsonp' == dataType) + )) + settings.url = appendQuery(settings.url, '_=' + Date.now()) - if ('jsonp' == dataType) { - if (!hasPlaceholder) - settings.url = appendQuery(settings.url, - settings.jsonp ? (settings.jsonp + '=?') : settings.jsonp === false ? '' : 'callback=?') - return $.ajaxJSONP(settings, deferred) - } + if ('jsonp' == dataType) { + if (!hasPlaceholder) + settings.url = appendQuery(settings.url, + settings.jsonp ? (settings.jsonp + '=?') : settings.jsonp === false ? '' : 'callback=?') + return $.ajaxJSONP(settings, deferred) + } - var mime = settings.accepts[dataType], - headers = { }, - setHeader = function(name, value) { headers[name.toLowerCase()] = [name, value] }, - protocol = /^([\w-]+:)\/\//.test(settings.url) ? RegExp.$1 : window.location.protocol, - xhr = settings.xhr(), - nativeSetHeader = xhr.setRequestHeader, - abortTimeout - - if (deferred) deferred.promise(xhr) - - if (!settings.crossDomain) setHeader('X-Requested-With', 'XMLHttpRequest') - setHeader('Accept', mime || '*/*') - if (mime = settings.mimeType || mime) { - if (mime.indexOf(',') > -1) mime = mime.split(',', 2)[0] - xhr.overrideMimeType && xhr.overrideMimeType(mime) - } - if (settings.contentType || (settings.contentType !== false && settings.data && settings.type.toUpperCase() != 'GET')) - setHeader('Content-Type', settings.contentType || 'application/x-www-form-urlencoded') + var mime = settings.accepts[dataType], + headers = { }, + setHeader = function(name, value) { headers[name.toLowerCase()] = [name, value] }, + protocol = /^([\w-]+:)\/\//.test(settings.url) ? RegExp.$1 : window.location.protocol, + xhr = settings.xhr(), + nativeSetHeader = xhr.setRequestHeader, + abortTimeout + + if (deferred) deferred.promise(xhr) + + if (!settings.crossDomain) setHeader('X-Requested-With', 'XMLHttpRequest') + setHeader('Accept', mime || '*/*') + if (mime = settings.mimeType || mime) { + if (mime.indexOf(',') > -1) mime = mime.split(',', 2)[0] + xhr.overrideMimeType && xhr.overrideMimeType(mime) + } + if (settings.contentType || (settings.contentType !== false && settings.data && settings.type.toUpperCase() != 'GET')) + setHeader('Content-Type', settings.contentType || 'application/x-www-form-urlencoded') - if (settings.headers) for (name in settings.headers) setHeader(name, settings.headers[name]) - xhr.setRequestHeader = setHeader + if (settings.headers) for (name in settings.headers) setHeader(name, settings.headers[name]) + xhr.setRequestHeader = setHeader - xhr.onreadystatechange = function(){ - if (xhr.readyState == 4) { - xhr.onreadystatechange = empty - clearTimeout(abortTimeout) - var result, error = false - if ((xhr.status >= 200 && xhr.status < 300) || xhr.status == 304 || (xhr.status == 0 && protocol == 'file:')) { - dataType = dataType || mimeToDataType(settings.mimeType || xhr.getResponseHeader('content-type')) + xhr.onreadystatechange = function(){ + if (xhr.readyState == 4) { + xhr.onreadystatechange = empty + clearTimeout(abortTimeout) + var result, error = false + if ((xhr.status >= 200 && xhr.status < 300) || xhr.status == 304 || (xhr.status == 0 && protocol == 'file:')) { + dataType = dataType || mimeToDataType(settings.mimeType || xhr.getResponseHeader('content-type')) - if (xhr.responseType == 'arraybuffer' || xhr.responseType == 'blob') - result = xhr.response - else { - result = xhr.responseText + if (xhr.responseType == 'arraybuffer' || xhr.responseType == 'blob') + result = xhr.response + else { + result = xhr.responseText - try { - // http://perfectionkills.com/global-eval-what-are-the-options/ - // sanitize response accordingly if data filter callback provided - result = ajaxDataFilter(result, dataType, settings) - if (dataType == 'script') (1,eval)(result) - else if (dataType == 'xml') result = xhr.responseXML - else if (dataType == 'json') result = blankRE.test(result) ? null : $.parseJSON(result) - } catch (e) { error = e } - - if (error) return ajaxError(error, 'parsererror', xhr, settings, deferred) - } + try { + // http://perfectionkills.com/global-eval-what-are-the-options/ + // sanitize response accordingly if data filter callback provided + result = ajaxDataFilter(result, dataType, settings) + if (dataType == 'script') (1,eval)(result) + else if (dataType == 'xml') result = xhr.responseXML + else if (dataType == 'json') result = blankRE.test(result) ? null : $.parseJSON(result) + } catch (e) { error = e } - ajaxSuccess(result, xhr, settings, deferred) - } else { - ajaxError(xhr.statusText || null, xhr.status ? 'error' : 'abort', xhr, settings, deferred) + if (error) return ajaxError(error, 'parsererror', xhr, settings, deferred) + } + + ajaxSuccess(result, xhr, settings, deferred) + } else { + ajaxError(xhr.statusText || null, xhr.status ? 'error' : 'abort', xhr, settings, deferred) + } } } - } - if (ajaxBeforeSend(xhr, settings) === false) { - xhr.abort() - ajaxError(null, 'abort', xhr, settings, deferred) - return xhr - } + if (ajaxBeforeSend(xhr, settings) === false) { + xhr.abort() + ajaxError(null, 'abort', xhr, settings, deferred) + return xhr + } - var async = 'async' in settings ? settings.async : true - xhr.open(settings.type, settings.url, async, settings.username, settings.password) + var async = 'async' in settings ? settings.async : true + xhr.open(settings.type, settings.url, async, settings.username, settings.password) - if (settings.xhrFields) for (name in settings.xhrFields) xhr[name] = settings.xhrFields[name] + if (settings.xhrFields) for (name in settings.xhrFields) xhr[name] = settings.xhrFields[name] - for (name in headers) nativeSetHeader.apply(xhr, headers[name]) + for (name in headers) nativeSetHeader.apply(xhr, headers[name]) - if (settings.timeout > 0) abortTimeout = setTimeout(function(){ - xhr.onreadystatechange = empty - xhr.abort() - ajaxError(null, 'timeout', xhr, settings, deferred) - }, settings.timeout) + if (settings.timeout > 0) abortTimeout = setTimeout(function(){ + xhr.onreadystatechange = empty + xhr.abort() + ajaxError(null, 'timeout', xhr, settings, deferred) + }, settings.timeout) - // avoid sending empty string (#319) - xhr.send(settings.data ? settings.data : null) - return xhr - } - - // handle optional data/success arguments - function parseArguments(url, data, success, dataType) { - if ($.isFunction(data)) dataType = success, success = data, data = undefined - if (!$.isFunction(success)) dataType = success, success = undefined - return { - url: url - , data: data - , success: success - , dataType: dataType + // avoid sending empty string (#319) + xhr.send(settings.data ? settings.data : null) + return xhr } - } - $.get = function(/* url, data, success, dataType */){ - return $.ajax(parseArguments.apply(null, arguments)) - } + // handle optional data/success arguments + function parseArguments(url, data, success, dataType) { + if ($.isFunction(data)) dataType = success, success = data, data = undefined + if (!$.isFunction(success)) dataType = success, success = undefined + return { + url: url + , data: data + , success: success + , dataType: dataType + } + } - $.post = function(/* url, data, success, dataType */){ - var options = parseArguments.apply(null, arguments) - options.type = 'POST' - return $.ajax(options) - } + $.get = function(/* url, data, success, dataType */){ + return $.ajax(parseArguments.apply(null, arguments)) + } - $.getJSON = function(/* url, data, success */){ - var options = parseArguments.apply(null, arguments) - options.dataType = 'json' - return $.ajax(options) - } + $.post = function(/* url, data, success, dataType */){ + var options = parseArguments.apply(null, arguments) + options.type = 'POST' + return $.ajax(options) + } - $.fn.load = function(url, data, success){ - if (!this.length) return this - var self = this, parts = url.split(/\s/), selector, - options = parseArguments(url, data, success), - callback = options.success - if (parts.length > 1) options.url = parts[0], selector = parts[1] - options.success = function(response){ - self.html(selector ? - $('
').html(response.replace(rscript, "")).find(selector) - : response) - callback && callback.apply(self, arguments) + $.getJSON = function(/* url, data, success */){ + var options = parseArguments.apply(null, arguments) + options.dataType = 'json' + return $.ajax(options) } - $.ajax(options) - return this - } - var escape = encodeURIComponent - - function serialize(params, obj, traditional, scope){ - var type, array = $.isArray(obj), hash = $.isPlainObject(obj) - $.each(obj, function(key, value) { - type = $.type(value) - if (scope) key = traditional ? scope : - scope + '[' + (hash || type == 'object' || type == 'array' ? key : '') + ']' - // handle data in serializeArray() format - if (!scope && array) params.add(value.name, value.value) - // recurse into nested objects - else if (type == "array" || (!traditional && type == "object")) - serialize(params, value, traditional, key) - else params.add(key, value) - }) - } + $.fn.load = function(url, data, success){ + if (!this.length) return this + var self = this, parts = url.split(/\s/), selector, + options = parseArguments(url, data, success), + callback = options.success + if (parts.length > 1) options.url = parts[0], selector = parts[1] + options.success = function(response){ + self.html(selector ? + $('
').html(response.replace(rscript, "")).find(selector) + : response) + callback && callback.apply(self, arguments) + } + $.ajax(options) + return this + } - $.param = function(obj, traditional){ - var params = [] - params.add = function(key, value) { - if ($.isFunction(value)) value = value() - if (value == null) value = "" - this.push(escape(key) + '=' + escape(value)) + var escape = encodeURIComponent + + function serialize(params, obj, traditional, scope){ + var type, array = $.isArray(obj), hash = $.isPlainObject(obj) + $.each(obj, function(key, value) { + type = $.type(value) + if (scope) key = traditional ? scope : + scope + '[' + (hash || type == 'object' || type == 'array' ? key : '') + ']' + // handle data in serializeArray() format + if (!scope && array) params.add(value.name, value.value) + // recurse into nested objects + else if (type == "array" || (!traditional && type == "object")) + serialize(params, value, traditional, key) + else params.add(key, value) + }) } - serialize(params, obj, traditional) - return params.join('&').replace(/%20/g, '+') - } - })(Zepto) - - ;(function($){ - // Create a collection of callbacks to be fired in a sequence, with configurable behaviour - // Option flags: - // - once: Callbacks fired at most one time. - // - memory: Remember the most recent context and arguments - // - stopOnFalse: Cease iterating over callback list - // - unique: Permit adding at most one instance of the same callback - $.Callbacks = function(options) { - options = $.extend({}, options) - - var memory, // Last fire value (for non-forgettable lists) - fired, // Flag to know if list was already fired - firing, // Flag to know if list is currently firing - firingStart, // First callback to fire (used internally by add and fireWith) - firingLength, // End of the loop when firing - firingIndex, // Index of currently firing callback (modified by remove if needed) - list = [], // Actual callback list - stack = !options.once && [], // Stack of fire calls for repeatable lists - fire = function(data) { - memory = options.memory && data - fired = true - firingIndex = firingStart || 0 - firingStart = 0 - firingLength = list.length - firing = true - for ( ; list && firingIndex < firingLength ; ++firingIndex ) { - if (list[firingIndex].apply(data[0], data[1]) === false && options.stopOnFalse) { - memory = false - break - } - } - firing = false - if (list) { - if (stack) stack.length && fire(stack.shift()) - else if (memory) list.length = 0 - else Callbacks.disable() - } - }, - Callbacks = { - add: function() { + $.param = function(obj, traditional){ + var params = [] + params.add = function(key, value) { + if ($.isFunction(value)) value = value() + if (value == null) value = "" + this.push(escape(key) + '=' + escape(value)) + } + serialize(params, obj, traditional) + return params.join('&').replace(/%20/g, '+') + } + })(Zepto) + + ;(function($){ + // Create a collection of callbacks to be fired in a sequence, with configurable behaviour + // Option flags: + // - once: Callbacks fired at most one time. + // - memory: Remember the most recent context and arguments + // - stopOnFalse: Cease iterating over callback list + // - unique: Permit adding at most one instance of the same callback + $.Callbacks = function(options) { + options = $.extend({}, options) + + var memory, // Last fire value (for non-forgettable lists) + fired, // Flag to know if list was already fired + firing, // Flag to know if list is currently firing + firingStart, // First callback to fire (used internally by add and fireWith) + firingLength, // End of the loop when firing + firingIndex, // Index of currently firing callback (modified by remove if needed) + list = [], // Actual callback list + stack = !options.once && [], // Stack of fire calls for repeatable lists + fire = function(data) { + memory = options.memory && data + fired = true + firingIndex = firingStart || 0 + firingStart = 0 + firingLength = list.length + firing = true + for ( ; list && firingIndex < firingLength ; ++firingIndex ) { + if (list[firingIndex].apply(data[0], data[1]) === false && options.stopOnFalse) { + memory = false + break + } + } + firing = false if (list) { - var start = list.length, - add = function(args) { - $.each(args, function(_, arg){ - if (typeof arg === "function") { - if (!options.unique || !Callbacks.has(arg)) list.push(arg) - } - else if (arg && arg.length && typeof arg !== 'string') add(arg) - }) - } - add(arguments) - if (firing) firingLength = list.length - else if (memory) { - firingStart = start - fire(memory) - } + if (stack) stack.length && fire(stack.shift()) + else if (memory) list.length = 0 + else Callbacks.disable() } - return this }, - remove: function() { - if (list) { - $.each(arguments, function(_, arg){ - var index - while ((index = $.inArray(arg, list, index)) > -1) { - list.splice(index, 1) - // Handle firing indexes - if (firing) { - if (index <= firingLength) --firingLength - if (index <= firingIndex) --firingIndex + + Callbacks = { + add: function() { + if (list) { + var start = list.length, + add = function(args) { + $.each(args, function(_, arg){ + if (typeof arg === "function") { + if (!options.unique || !Callbacks.has(arg)) list.push(arg) + } + else if (arg && arg.length && typeof arg !== 'string') add(arg) + }) } + add(arguments) + if (firing) firingLength = list.length + else if (memory) { + firingStart = start + fire(memory) } - }) - } - return this - }, - has: function(fn) { - return !!(list && (fn ? $.inArray(fn, list) > -1 : list.length)) - }, - empty: function() { - firingLength = list.length = 0 - return this - }, - disable: function() { - list = stack = memory = undefined - return this - }, - disabled: function() { - return !list - }, - lock: function() { - stack = undefined - if (!memory) Callbacks.disable() - return this - }, - locked: function() { - return !stack - }, - fireWith: function(context, args) { - if (list && (!fired || stack)) { - args = args || [] - args = [context, args.slice ? args.slice() : args] - if (firing) stack.push(args) - else fire(args) + } + return this + }, + remove: function() { + if (list) { + $.each(arguments, function(_, arg){ + var index + while ((index = $.inArray(arg, list, index)) > -1) { + list.splice(index, 1) + // Handle firing indexes + if (firing) { + if (index <= firingLength) --firingLength + if (index <= firingIndex) --firingIndex + } + } + }) + } + return this + }, + has: function(fn) { + return !!(list && (fn ? $.inArray(fn, list) > -1 : list.length)) + }, + empty: function() { + firingLength = list.length = 0 + return this + }, + disable: function() { + list = stack = memory = undefined + return this + }, + disabled: function() { + return !list + }, + lock: function() { + stack = undefined + if (!memory) Callbacks.disable() + return this + }, + locked: function() { + return !stack + }, + fireWith: function(context, args) { + if (list && (!fired || stack)) { + args = args || [] + args = [context, args.slice ? args.slice() : args] + if (firing) stack.push(args) + else fire(args) + } + return this + }, + fire: function() { + return Callbacks.fireWith(this, arguments) + }, + fired: function() { + return !!fired } - return this - }, - fire: function() { - return Callbacks.fireWith(this, arguments) - }, - fired: function() { - return !!fired } - } - return Callbacks - } - })(Zepto) - - ;(function($){ - var slice = Array.prototype.slice - - function Deferred(func) { - var tuples = [ - // action, add listener, listener list, final state - [ "resolve", "done", $.Callbacks({once:1, memory:1}), "resolved" ], - [ "reject", "fail", $.Callbacks({once:1, memory:1}), "rejected" ], - [ "notify", "progress", $.Callbacks({memory:1}) ] - ], - state = "pending", - promise = { - state: function() { - return state - }, - always: function() { - deferred.done(arguments).fail(arguments) - return this - }, - then: function(/* fnDone [, fnFailed [, fnProgress]] */) { - var fns = arguments - return Deferred(function(defer){ - $.each(tuples, function(i, tuple){ - var fn = $.isFunction(fns[i]) && fns[i] - deferred[tuple[1]](function(){ - var returned = fn && fn.apply(this, arguments) - if (returned && $.isFunction(returned.promise)) { - returned.promise() - .done(defer.resolve) - .fail(defer.reject) - .progress(defer.notify) - } else { - var context = this === promise ? defer.promise() : this, - values = fn ? [returned] : arguments - defer[tuple[0] + "With"](context, values) - } + return Callbacks + } + })(Zepto) + + ;(function($){ + var slice = Array.prototype.slice + + function Deferred(func) { + var tuples = [ + // action, add listener, listener list, final state + [ "resolve", "done", $.Callbacks({once:1, memory:1}), "resolved" ], + [ "reject", "fail", $.Callbacks({once:1, memory:1}), "rejected" ], + [ "notify", "progress", $.Callbacks({memory:1}) ] + ], + state = "pending", + promise = { + state: function() { + return state + }, + always: function() { + deferred.done(arguments).fail(arguments) + return this + }, + then: function(/* fnDone [, fnFailed [, fnProgress]] */) { + var fns = arguments + return Deferred(function(defer){ + $.each(tuples, function(i, tuple){ + var fn = $.isFunction(fns[i]) && fns[i] + deferred[tuple[1]](function(){ + var returned = fn && fn.apply(this, arguments) + if (returned && $.isFunction(returned.promise)) { + returned.promise() + .done(defer.resolve) + .fail(defer.reject) + .progress(defer.notify) + } else { + var context = this === promise ? defer.promise() : this, + values = fn ? [returned] : arguments + defer[tuple[0] + "With"](context, values) + } + }) }) - }) - fns = null - }).promise() + fns = null + }).promise() + }, + + promise: function(obj) { + return obj != null ? $.extend( obj, promise ) : promise + } }, + deferred = {} - promise: function(obj) { - return obj != null ? $.extend( obj, promise ) : promise - } - }, - deferred = {} + $.each(tuples, function(i, tuple){ + var list = tuple[2], + stateString = tuple[3] - $.each(tuples, function(i, tuple){ - var list = tuple[2], - stateString = tuple[3] + promise[tuple[1]] = list.add - promise[tuple[1]] = list.add + if (stateString) { + list.add(function(){ + state = stateString + }, tuples[i^1][2].disable, tuples[2][2].lock) + } - if (stateString) { - list.add(function(){ - state = stateString - }, tuples[i^1][2].disable, tuples[2][2].lock) - } + deferred[tuple[0]] = function(){ + deferred[tuple[0] + "With"](this === deferred ? promise : this, arguments) + return this + } + deferred[tuple[0] + "With"] = list.fireWith + }) - deferred[tuple[0]] = function(){ - deferred[tuple[0] + "With"](this === deferred ? promise : this, arguments) - return this - } - deferred[tuple[0] + "With"] = list.fireWith - }) + promise.promise(deferred) + if (func) func.call(deferred, deferred) + return deferred + } - promise.promise(deferred) - if (func) func.call(deferred, deferred) - return deferred - } + $.when = function(sub) { + var resolveValues = slice.call(arguments), + len = resolveValues.length, + i = 0, + remain = len !== 1 || (sub && $.isFunction(sub.promise)) ? len : 0, + deferred = remain === 1 ? sub : Deferred(), + progressValues, progressContexts, resolveContexts, + updateFn = function(i, ctx, val){ + return function(value){ + ctx[i] = this + val[i] = arguments.length > 1 ? slice.call(arguments) : value + if (val === progressValues) { + deferred.notifyWith(ctx, val) + } else if (!(--remain)) { + deferred.resolveWith(ctx, val) + } + } + } - $.when = function(sub) { - var resolveValues = slice.call(arguments), - len = resolveValues.length, - i = 0, - remain = len !== 1 || (sub && $.isFunction(sub.promise)) ? len : 0, - deferred = remain === 1 ? sub : Deferred(), - progressValues, progressContexts, resolveContexts, - updateFn = function(i, ctx, val){ - return function(value){ - ctx[i] = this - val[i] = arguments.length > 1 ? slice.call(arguments) : value - if (val === progressValues) { - deferred.notifyWith(ctx, val) - } else if (!(--remain)) { - deferred.resolveWith(ctx, val) + if (len > 1) { + progressValues = new Array(len) + progressContexts = new Array(len) + resolveContexts = new Array(len) + for ( ; i < len; ++i ) { + if (resolveValues[i] && $.isFunction(resolveValues[i].promise)) { + resolveValues[i].promise() + .done(updateFn(i, resolveContexts, resolveValues)) + .fail(deferred.reject) + .progress(updateFn(i, progressContexts, progressValues)) + } else { + --remain } } } + if (!remain) deferred.resolveWith(resolveContexts, resolveValues) + return deferred.promise() + } + + $.Deferred = Deferred + })(Zepto) + + ;(function($){ + var _zid = 1, undefined, + slice = Array.prototype.slice, + isFunction = $.isFunction, + isString = function(obj){ return typeof obj == 'string' }, + handlers = {}, + specialEvents={}, + focusinSupported = 'onfocusin' in window, + focus = { focus: 'focusin', blur: 'focusout' }, + hover = { mouseenter: 'mouseover', mouseleave: 'mouseout' } + + specialEvents.click = specialEvents.mousedown = specialEvents.mouseup = specialEvents.mousemove = 'MouseEvents' + + function zid(element) { + return element._zid || (element._zid = _zid++) + } + function findHandlers(element, event, fn, selector) { + event = parse(event) + if (event.ns) var matcher = matcherFor(event.ns) + return (handlers[zid(element)] || []).filter(function(handler) { + return handler + && (!event.e || handler.e == event.e) + && (!event.ns || matcher.test(handler.ns)) + && (!fn || zid(handler.fn) === zid(fn)) + && (!selector || handler.sel == selector) + }) + } + function parse(event) { + var parts = ('' + event).split('.') + return {e: parts[0], ns: parts.slice(1).sort().join(' ')} + } + function matcherFor(ns) { + return new RegExp('(?:^| )' + ns.replace(' ', ' .* ?') + '(?: |$)') + } + + function eventCapture(handler, captureSetting) { + return handler.del && + (!focusinSupported && (handler.e in focus)) || + !!captureSetting + } + + function realEvent(type) { + return hover[type] || (focusinSupported && focus[type]) || type + } + + function add(element, events, fn, data, selector, delegator, capture){ + var id = zid(element), set = (handlers[id] || (handlers[id] = [])) + events.split(/\s/).forEach(function(event){ + if (event == 'ready') return $(document).ready(fn) + var handler = parse(event) + handler.fn = fn + handler.sel = selector + // emulate mouseenter, mouseleave + if (handler.e in hover) fn = function(e){ + var related = e.relatedTarget + if (!related || (related !== this && !$.contains(this, related))) + return handler.fn.apply(this, arguments) + } + handler.del = delegator + var callback = delegator || fn + handler.proxy = function(e){ + e = compatible(e) + if (e.isImmediatePropagationStopped()) return + e.data = data + var result = callback.apply(element, e._args == undefined ? [e] : [e].concat(e._args)) + if (result === false) e.preventDefault(), e.stopPropagation() + return result + } + handler.i = set.length + set.push(handler) + if ('addEventListener' in element) + element.addEventListener(realEvent(handler.e), handler.proxy, eventCapture(handler, capture)) + }) + } + function remove(element, events, fn, selector, capture){ + var id = zid(element) + ;(events || '').split(/\s/).forEach(function(event){ + findHandlers(element, event, fn, selector).forEach(function(handler){ + delete handlers[id][handler.i] + if ('removeEventListener' in element) + element.removeEventListener(realEvent(handler.e), handler.proxy, eventCapture(handler, capture)) + }) + }) + } - if (len > 1) { - progressValues = new Array(len) - progressContexts = new Array(len) - resolveContexts = new Array(len) - for ( ; i < len; ++i ) { - if (resolveValues[i] && $.isFunction(resolveValues[i].promise)) { - resolveValues[i].promise() - .done(updateFn(i, resolveContexts, resolveValues)) - .fail(deferred.reject) - .progress(updateFn(i, progressContexts, progressValues)) + $.event = { add: add, remove: remove } + + $.proxy = function(fn, context) { + var args = (2 in arguments) && slice.call(arguments, 2) + if (isFunction(fn)) { + var proxyFn = function(){ return fn.apply(context, args ? args.concat(slice.call(arguments)) : arguments) } + proxyFn._zid = zid(fn) + return proxyFn + } else if (isString(context)) { + if (args) { + args.unshift(fn[context], fn) + return $.proxy.apply(null, args) } else { - --remain + return $.proxy(fn[context], fn) } + } else { + throw new TypeError("expected function") } } - if (!remain) deferred.resolveWith(resolveContexts, resolveValues) - return deferred.promise() - } - - $.Deferred = Deferred - })(Zepto) - ;(function($){ - var _zid = 1, undefined, - slice = Array.prototype.slice, - isFunction = $.isFunction, - isString = function(obj){ return typeof obj == 'string' }, - handlers = {}, - specialEvents={}, - focusinSupported = 'onfocusin' in window, - focus = { focus: 'focusin', blur: 'focusout' }, - hover = { mouseenter: 'mouseover', mouseleave: 'mouseout' } + $.fn.bind = function(event, data, callback){ + return this.on(event, data, callback) + } + $.fn.unbind = function(event, callback){ + return this.off(event, callback) + } + $.fn.one = function(event, selector, data, callback){ + return this.on(event, selector, data, callback, 1) + } - specialEvents.click = specialEvents.mousedown = specialEvents.mouseup = specialEvents.mousemove = 'MouseEvents' + var returnTrue = function(){return true}, + returnFalse = function(){return false}, + ignoreProperties = /^([A-Z]|returnValue$|layer[XY]$|webkitMovement[XY]$)/, + eventMethods = { + preventDefault: 'isDefaultPrevented', + stopImmediatePropagation: 'isImmediatePropagationStopped', + stopPropagation: 'isPropagationStopped' + } - function zid(element) { - return element._zid || (element._zid = _zid++) - } - function findHandlers(element, event, fn, selector) { - event = parse(event) - if (event.ns) var matcher = matcherFor(event.ns) - return (handlers[zid(element)] || []).filter(function(handler) { - return handler - && (!event.e || handler.e == event.e) - && (!event.ns || matcher.test(handler.ns)) - && (!fn || zid(handler.fn) === zid(fn)) - && (!selector || handler.sel == selector) - }) - } - function parse(event) { - var parts = ('' + event).split('.') - return {e: parts[0], ns: parts.slice(1).sort().join(' ')} - } - function matcherFor(ns) { - return new RegExp('(?:^| )' + ns.replace(' ', ' .* ?') + '(?: |$)') - } + function compatible(event, source) { + if (source || !event.isDefaultPrevented) { + source || (source = event) - function eventCapture(handler, captureSetting) { - return handler.del && - (!focusinSupported && (handler.e in focus)) || - !!captureSetting - } + $.each(eventMethods, function(name, predicate) { + var sourceMethod = source[name] + event[name] = function(){ + this[predicate] = returnTrue + return sourceMethod && sourceMethod.apply(source, arguments) + } + event[predicate] = returnFalse + }) - function realEvent(type) { - return hover[type] || (focusinSupported && focus[type]) || type - } + event.timeStamp || (event.timeStamp = Date.now()) - function add(element, events, fn, data, selector, delegator, capture){ - var id = zid(element), set = (handlers[id] || (handlers[id] = [])) - events.split(/\s/).forEach(function(event){ - if (event == 'ready') return $(document).ready(fn) - var handler = parse(event) - handler.fn = fn - handler.sel = selector - // emulate mouseenter, mouseleave - if (handler.e in hover) fn = function(e){ - var related = e.relatedTarget - if (!related || (related !== this && !$.contains(this, related))) - return handler.fn.apply(this, arguments) - } - handler.del = delegator - var callback = delegator || fn - handler.proxy = function(e){ - e = compatible(e) - if (e.isImmediatePropagationStopped()) return - e.data = data - var result = callback.apply(element, e._args == undefined ? [e] : [e].concat(e._args)) - if (result === false) e.preventDefault(), e.stopPropagation() - return result + if (source.defaultPrevented !== undefined ? source.defaultPrevented : + 'returnValue' in source ? source.returnValue === false : + source.getPreventDefault && source.getPreventDefault()) + event.isDefaultPrevented = returnTrue } - handler.i = set.length - set.push(handler) - if ('addEventListener' in element) - element.addEventListener(realEvent(handler.e), handler.proxy, eventCapture(handler, capture)) - }) - } - function remove(element, events, fn, selector, capture){ - var id = zid(element) - ;(events || '').split(/\s/).forEach(function(event){ - findHandlers(element, event, fn, selector).forEach(function(handler){ - delete handlers[id][handler.i] - if ('removeEventListener' in element) - element.removeEventListener(realEvent(handler.e), handler.proxy, eventCapture(handler, capture)) - }) - }) - } + return event + } - $.event = { add: add, remove: remove } - - $.proxy = function(fn, context) { - var args = (2 in arguments) && slice.call(arguments, 2) - if (isFunction(fn)) { - var proxyFn = function(){ return fn.apply(context, args ? args.concat(slice.call(arguments)) : arguments) } - proxyFn._zid = zid(fn) - return proxyFn - } else if (isString(context)) { - if (args) { - args.unshift(fn[context], fn) - return $.proxy.apply(null, args) - } else { - return $.proxy(fn[context], fn) - } - } else { - throw new TypeError("expected function") + function createProxy(event) { + var key, proxy = { originalEvent: event } + for (key in event) + if (!ignoreProperties.test(key) && event[key] !== undefined) proxy[key] = event[key] + + return compatible(proxy, event) } - } - $.fn.bind = function(event, data, callback){ - return this.on(event, data, callback) - } - $.fn.unbind = function(event, callback){ - return this.off(event, callback) - } - $.fn.one = function(event, selector, data, callback){ - return this.on(event, selector, data, callback, 1) - } + $.fn.delegate = function(selector, event, callback){ + return this.on(event, selector, callback) + } + $.fn.undelegate = function(selector, event, callback){ + return this.off(event, selector, callback) + } - var returnTrue = function(){return true}, - returnFalse = function(){return false}, - ignoreProperties = /^([A-Z]|returnValue$|layer[XY]$|webkitMovement[XY]$)/, - eventMethods = { - preventDefault: 'isDefaultPrevented', - stopImmediatePropagation: 'isImmediatePropagationStopped', - stopPropagation: 'isPropagationStopped' + $.fn.live = function(event, callback){ + $(document.body).delegate(this.selector, event, callback) + return this + } + $.fn.die = function(event, callback){ + $(document.body).undelegate(this.selector, event, callback) + return this } - function compatible(event, source) { - if (source || !event.isDefaultPrevented) { - source || (source = event) + $.fn.on = function(event, selector, data, callback, one){ + var autoRemove, delegator, $this = this + if (event && !isString(event)) { + $.each(event, function(type, fn){ + $this.on(type, selector, data, fn, one) + }) + return $this + } + + if (!isString(selector) && !isFunction(callback) && callback !== false) + callback = data, data = selector, selector = undefined + if (callback === undefined || data === false) + callback = data, data = undefined - $.each(eventMethods, function(name, predicate) { - var sourceMethod = source[name] - event[name] = function(){ - this[predicate] = returnTrue - return sourceMethod && sourceMethod.apply(source, arguments) + if (callback === false) callback = returnFalse + + return $this.each(function(_, element){ + if (one) autoRemove = function(e){ + remove(element, e.type, callback) + return callback.apply(this, arguments) } - event[predicate] = returnFalse - }) - event.timeStamp || (event.timeStamp = Date.now()) + if (selector) delegator = function(e){ + var evt, match = $(e.target).closest(selector, element).get(0) + if (match && match !== element) { + evt = $.extend(createProxy(e), {currentTarget: match, liveFired: element}) + return (autoRemove || callback).apply(match, [evt].concat(slice.call(arguments, 1))) + } + } - if (source.defaultPrevented !== undefined ? source.defaultPrevented : - 'returnValue' in source ? source.returnValue === false : - source.getPreventDefault && source.getPreventDefault()) - event.isDefaultPrevented = returnTrue + add(element, event, callback, data, selector, delegator || autoRemove) + }) } - return event - } + $.fn.off = function(event, selector, callback){ + var $this = this + if (event && !isString(event)) { + $.each(event, function(type, fn){ + $this.off(type, selector, fn) + }) + return $this + } - function createProxy(event) { - var key, proxy = { originalEvent: event } - for (key in event) - if (!ignoreProperties.test(key) && event[key] !== undefined) proxy[key] = event[key] + if (!isString(selector) && !isFunction(callback) && callback !== false) + callback = selector, selector = undefined - return compatible(proxy, event) - } + if (callback === false) callback = returnFalse - $.fn.delegate = function(selector, event, callback){ - return this.on(event, selector, callback) - } - $.fn.undelegate = function(selector, event, callback){ - return this.off(event, selector, callback) - } + return $this.each(function(){ + remove(this, event, callback, selector) + }) + } - $.fn.live = function(event, callback){ - $(document.body).delegate(this.selector, event, callback) - return this - } - $.fn.die = function(event, callback){ - $(document.body).undelegate(this.selector, event, callback) - return this - } + $.fn.trigger = function(event, args){ + event = (isString(event) || $.isPlainObject(event)) ? $.Event(event) : compatible(event) + event._args = args + return this.each(function(){ + // handle focus(), blur() by calling them directly + if (event.type in focus && typeof this[event.type] == "function") this[event.type]() + // items in the collection might not be DOM elements + else if ('dispatchEvent' in this) this.dispatchEvent(event) + else $(this).triggerHandler(event, args) + }) + } - $.fn.on = function(event, selector, data, callback, one){ - var autoRemove, delegator, $this = this - if (event && !isString(event)) { - $.each(event, function(type, fn){ - $this.on(type, selector, data, fn, one) + // triggers event handlers on current element just as if an event occurred, + // doesn't trigger an actual event, doesn't bubble + $.fn.triggerHandler = function(event, args){ + var e, result + this.each(function(i, element){ + e = createProxy(isString(event) ? $.Event(event) : event) + e._args = args + e.target = element + $.each(findHandlers(element, event.type || event), function(i, handler){ + result = handler.proxy(e) + if (e.isImmediatePropagationStopped()) return false + }) }) - return $this + return result } - if (!isString(selector) && !isFunction(callback) && callback !== false) - callback = data, data = selector, selector = undefined - if (callback === undefined || data === false) - callback = data, data = undefined + // shortcut methods for `.bind(event, fn)` for each event type + ;('focusin focusout focus blur load resize scroll unload click dblclick '+ + 'mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave '+ + 'change select keydown keypress keyup error').split(' ').forEach(function(event) { + $.fn[event] = function(callback) { + return (0 in arguments) ? + this.bind(event, callback) : + this.trigger(event) + } + }) + + $.Event = function(type, props) { + if (!isString(type)) props = type, type = props.type + var event = document.createEvent(specialEvents[type] || 'Events'), bubbles = true + if (props) for (var name in props) (name == 'bubbles') ? (bubbles = !!props[name]) : (event[name] = props[name]) + event.initEvent(type, bubbles, true) + return compatible(event) + } - if (callback === false) callback = returnFalse + })(Zepto) - return $this.each(function(_, element){ - if (one) autoRemove = function(e){ - remove(element, e.type, callback) - return callback.apply(this, arguments) + ;(function(){ + // getComputedStyle shouldn't freak out when called + // without a valid element as argument + try { + getComputedStyle(undefined) + } catch(e) { + var nativeGetComputedStyle = getComputedStyle + window.getComputedStyle = function(element, pseudoElement){ + try { + return nativeGetComputedStyle(element, pseudoElement) + } catch(e) { + return null + } } + } + })() - if (selector) delegator = function(e){ - var evt, match = $(e.target).closest(selector, element).get(0) - if (match && match !== element) { - evt = $.extend(createProxy(e), {currentTarget: match, liveFired: element}) - return (autoRemove || callback).apply(match, [evt].concat(slice.call(arguments, 1))) + ;(function($){ + var zepto = $.zepto, oldQsa = zepto.qsa, oldMatches = zepto.matches + + function visible(elem){ + elem = $(elem) + return !!(elem.width() || elem.height()) && elem.css("display") !== "none" + } + + // Implements a subset from: + // http://api.jquery.com/category/selectors/jquery-selector-extensions/ + // + // Each filter function receives the current index, all nodes in the + // considered set, and a value if there were parentheses. The value + // of `this` is the node currently being considered. The function returns the + // resulting node(s), null, or undefined. + // + // Complex selectors are not supported: + // li:has(label:contains("foo")) + li:has(label:contains("bar")) + // ul.inner:first > li + var filters = $.expr[':'] = { + visible: function(){ if (visible(this)) return this }, + hidden: function(){ if (!visible(this)) return this }, + selected: function(){ if (this.selected) return this }, + checked: function(){ if (this.checked) return this }, + parent: function(){ return this.parentNode }, + first: function(idx){ if (idx === 0) return this }, + last: function(idx, nodes){ if (idx === nodes.length - 1) return this }, + eq: function(idx, _, value){ if (idx === value) return this }, + contains: function(idx, _, text){ if ($(this).text().indexOf(text) > -1) return this }, + has: function(idx, _, sel){ if (zepto.qsa(this, sel).length) return this } + } + + var filterRe = new RegExp('(.*):(\\w+)(?:\\(([^)]+)\\))?$\\s*'), + childRe = /^\s*>/, + classTag = 'Zepto' + (+new Date()) + + function process(sel, fn) { + // quote the hash in `a[href^=#]` expression + sel = sel.replace(/=#\]/g, '="#"]') + var filter, arg, match = filterRe.exec(sel) + if (match && match[2] in filters) { + filter = filters[match[2]], arg = match[3] + sel = match[1] + if (arg) { + var num = Number(arg) + if (isNaN(num)) arg = arg.replace(/^["']|["']$/g, '') + else arg = num } } + return fn(sel, filter, arg) + } - add(element, event, callback, data, selector, delegator || autoRemove) - }) - } - $.fn.off = function(event, selector, callback){ - var $this = this - if (event && !isString(event)) { - $.each(event, function(type, fn){ - $this.off(type, selector, fn) + zepto.qsa = function(node, selector) { + return process(selector, function(sel, filter, arg){ + try { + var taggedParent + if (!sel && filter) sel = '*' + else if (childRe.test(sel)) + // support "> *" child queries by tagging the parent node with a + // unique class and prepending that classname onto the selector + taggedParent = $(node).addClass(classTag), sel = '.'+classTag+' '+sel + + var nodes = oldQsa(node, sel) + } catch(e) { + console.error('error performing selector: %o', selector) + throw e + } finally { + if (taggedParent) taggedParent.removeClass(classTag) + } + return !filter ? nodes : + zepto.uniq($.map(nodes, function(n, i){ return filter.call(n, i, nodes, arg) })) }) - return $this } - if (!isString(selector) && !isFunction(callback) && callback !== false) - callback = selector, selector = undefined + zepto.matches = function(node, selector){ + return process(selector, function(sel, filter, arg){ + return (!sel || oldMatches(node, sel)) && + (!filter || filter.call(node, null, arg) === node) + }) + } + })(Zepto) + module.exports = Zepto - if (callback === false) callback = returnFalse - return $this.each(function(){ - remove(this, event, callback, selector) - }) - } + /***/ }), - $.fn.trigger = function(event, args){ - event = (isString(event) || $.isPlainObject(event)) ? $.Event(event) : compatible(event) - event._args = args - return this.each(function(){ - // handle focus(), blur() by calling them directly - if (event.type in focus && typeof this[event.type] == "function") this[event.type]() - // items in the collection might not be DOM elements - else if ('dispatchEvent' in this) this.dispatchEvent(event) - else $(this).triggerHandler(event, args) - }) - } + /***/ "./node_modules/core-js/library/fn/array/from.js": + /*!*******************************************************!*\ + !*** ./node_modules/core-js/library/fn/array/from.js ***! + \*******************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - // triggers event handlers on current element just as if an event occurred, - // doesn't trigger an actual event, doesn't bubble - $.fn.triggerHandler = function(event, args){ - var e, result - this.each(function(i, element){ - e = createProxy(isString(event) ? $.Event(event) : event) - e._args = args - e.target = element - $.each(findHandlers(element, event.type || event), function(i, handler){ - result = handler.proxy(e) - if (e.isImmediatePropagationStopped()) return false - }) - }) - return result - } + __webpack_require__(/*! ../../modules/es6.string.iterator */ "./node_modules/core-js/library/modules/es6.string.iterator.js"); + __webpack_require__(/*! ../../modules/es6.array.from */ "./node_modules/core-js/library/modules/es6.array.from.js"); + module.exports = __webpack_require__(/*! ../../modules/_core */ "./node_modules/core-js/library/modules/_core.js").Array.from; - // shortcut methods for `.bind(event, fn)` for each event type - ;('focusin focusout focus blur load resize scroll unload click dblclick '+ - 'mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave '+ - 'change select keydown keypress keyup error').split(' ').forEach(function(event) { - $.fn[event] = function(callback) { - return (0 in arguments) ? - this.bind(event, callback) : - this.trigger(event) - } - }) - - $.Event = function(type, props) { - if (!isString(type)) props = type, type = props.type - var event = document.createEvent(specialEvents[type] || 'Events'), bubbles = true - if (props) for (var name in props) (name == 'bubbles') ? (bubbles = !!props[name]) : (event[name] = props[name]) - event.initEvent(type, bubbles, true) - return compatible(event) - } + /***/ }), - })(Zepto) + /***/ "./node_modules/core-js/library/fn/get-iterator.js": + /*!*********************************************************!*\ + !*** ./node_modules/core-js/library/fn/get-iterator.js ***! + \*********************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - ;(function(){ - // getComputedStyle shouldn't freak out when called - // without a valid element as argument - try { - getComputedStyle(undefined) - } catch(e) { - var nativeGetComputedStyle = getComputedStyle - window.getComputedStyle = function(element, pseudoElement){ - try { - return nativeGetComputedStyle(element, pseudoElement) - } catch(e) { - return null - } - } - } - })() + __webpack_require__(/*! ../modules/web.dom.iterable */ "./node_modules/core-js/library/modules/web.dom.iterable.js"); + __webpack_require__(/*! ../modules/es6.string.iterator */ "./node_modules/core-js/library/modules/es6.string.iterator.js"); + module.exports = __webpack_require__(/*! ../modules/core.get-iterator */ "./node_modules/core-js/library/modules/core.get-iterator.js"); - ;(function($){ - var zepto = $.zepto, oldQsa = zepto.qsa, oldMatches = zepto.matches + /***/ }), - function visible(elem){ - elem = $(elem) - return !!(elem.width() || elem.height()) && elem.css("display") !== "none" - } + /***/ "./node_modules/core-js/library/fn/json/stringify.js": + /*!***********************************************************!*\ + !*** ./node_modules/core-js/library/fn/json/stringify.js ***! + \***********************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - // Implements a subset from: - // http://api.jquery.com/category/selectors/jquery-selector-extensions/ - // - // Each filter function receives the current index, all nodes in the - // considered set, and a value if there were parentheses. The value - // of `this` is the node currently being considered. The function returns the - // resulting node(s), null, or undefined. - // - // Complex selectors are not supported: - // li:has(label:contains("foo")) + li:has(label:contains("bar")) - // ul.inner:first > li - var filters = $.expr[':'] = { - visible: function(){ if (visible(this)) return this }, - hidden: function(){ if (!visible(this)) return this }, - selected: function(){ if (this.selected) return this }, - checked: function(){ if (this.checked) return this }, - parent: function(){ return this.parentNode }, - first: function(idx){ if (idx === 0) return this }, - last: function(idx, nodes){ if (idx === nodes.length - 1) return this }, - eq: function(idx, _, value){ if (idx === value) return this }, - contains: function(idx, _, text){ if ($(this).text().indexOf(text) > -1) return this }, - has: function(idx, _, sel){ if (zepto.qsa(this, sel).length) return this } - } + var core = __webpack_require__(/*! ../../modules/_core */ "./node_modules/core-js/library/modules/_core.js") + , $JSON = core.JSON || (core.JSON = {stringify: JSON.stringify}); + module.exports = function stringify(it){ // eslint-disable-line no-unused-vars + return $JSON.stringify.apply($JSON, arguments); + }; - var filterRe = new RegExp('(.*):(\\w+)(?:\\(([^)]+)\\))?$\\s*'), - childRe = /^\s*>/, - classTag = 'Zepto' + (+new Date()) - - function process(sel, fn) { - // quote the hash in `a[href^=#]` expression - sel = sel.replace(/=#\]/g, '="#"]') - var filter, arg, match = filterRe.exec(sel) - if (match && match[2] in filters) { - filter = filters[match[2]], arg = match[3] - sel = match[1] - if (arg) { - var num = Number(arg) - if (isNaN(num)) arg = arg.replace(/^["']|["']$/g, '') - else arg = num - } - } - return fn(sel, filter, arg) - } + /***/ }), - zepto.qsa = function(node, selector) { - return process(selector, function(sel, filter, arg){ - try { - var taggedParent - if (!sel && filter) sel = '*' - else if (childRe.test(sel)) - // support "> *" child queries by tagging the parent node with a - // unique class and prepending that classname onto the selector - taggedParent = $(node).addClass(classTag), sel = '.'+classTag+' '+sel - - var nodes = oldQsa(node, sel) - } catch(e) { - console.error('error performing selector: %o', selector) - throw e - } finally { - if (taggedParent) taggedParent.removeClass(classTag) - } - return !filter ? nodes : - zepto.uniq($.map(nodes, function(n, i){ return filter.call(n, i, nodes, arg) })) - }) - } + /***/ "./node_modules/core-js/library/fn/object/assign.js": + /*!**********************************************************!*\ + !*** ./node_modules/core-js/library/fn/object/assign.js ***! + \**********************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - zepto.matches = function(node, selector){ - return process(selector, function(sel, filter, arg){ - return (!sel || oldMatches(node, sel)) && - (!filter || filter.call(node, null, arg) === node) - }) - } - })(Zepto) - module.exports = Zepto + __webpack_require__(/*! ../../modules/es6.object.assign */ "./node_modules/core-js/library/modules/es6.object.assign.js"); + module.exports = __webpack_require__(/*! ../../modules/_core */ "./node_modules/core-js/library/modules/_core.js").Object.assign; + /***/ }), - /***/ }), - /* 7 */ - /***/ (function(module, exports, __webpack_require__) { + /***/ "./node_modules/core-js/library/fn/object/create.js": + /*!**********************************************************!*\ + !*** ./node_modules/core-js/library/fn/object/create.js ***! + \**********************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - "use strict"; + __webpack_require__(/*! ../../modules/es6.object.create */ "./node_modules/core-js/library/modules/es6.object.create.js"); + var $Object = __webpack_require__(/*! ../../modules/_core */ "./node_modules/core-js/library/modules/_core.js").Object; + module.exports = function create(P, D){ + return $Object.create(P, D); + }; + /***/ }), - Object.defineProperty(exports, "__esModule", { - value: true - }); - /* eslint-disable no-var */ -// Simple JavaScript Templating -// Paul Miller (http://paulmillr.com) -// http://underscorejs.org -// (c) 2009-2013 Jeremy Ashkenas, DocumentCloud and Investigative Reporters & Editors + /***/ "./node_modules/core-js/library/fn/object/define-property.js": + /*!*******************************************************************!*\ + !*** ./node_modules/core-js/library/fn/object/define-property.js ***! + \*******************************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { -// By default, Underscore uses ERB-style template delimiters, change the -// following template settings to use alternative delimiters. - var settings = { - evaluate: /<%([\s\S]+?)%>/g, - interpolate: /<%=([\s\S]+?)%>/g, - escape: /<%-([\s\S]+?)%>/g + __webpack_require__(/*! ../../modules/es6.object.define-property */ "./node_modules/core-js/library/modules/es6.object.define-property.js"); + var $Object = __webpack_require__(/*! ../../modules/_core */ "./node_modules/core-js/library/modules/_core.js").Object; + module.exports = function defineProperty(it, key, desc){ + return $Object.defineProperty(it, key, desc); + }; - // When customizing `templateSettings`, if you don't want to define an - // interpolation, evaluation or escaping regex, we need one that is - // guaranteed not to match. - };var noMatch = /(.)^/; + /***/ }), -// Certain characters need to be escaped so that they can be put into a -// string literal. - var escapes = { - '\'': '\'', - '\\': '\\', - '\r': 'r', - '\n': 'n', - '\t': 't', - '\u2028': 'u2028', - '\u2029': 'u2029' - }; - - var escaper = /\\|'|\r|\n|\t|\u2028|\u2029/g; + /***/ "./node_modules/core-js/library/fn/object/get-own-property-descriptor.js": + /*!*******************************************************************************!*\ + !*** ./node_modules/core-js/library/fn/object/get-own-property-descriptor.js ***! + \*******************************************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { -// List of HTML entities for escaping. - var htmlEntities = { - '&': '&', - '<': '<', - '>': '>', - '"': '"', - '\'': ''' - }; - - var entityRe = new RegExp('[&<>"\']', 'g'); - - var escapeExpr = function escapeExpr(string) { - if (string === null) return ''; - return ('' + string).replace(entityRe, function (match) { - return htmlEntities[match]; - }); - }; + __webpack_require__(/*! ../../modules/es6.object.get-own-property-descriptor */ "./node_modules/core-js/library/modules/es6.object.get-own-property-descriptor.js"); + var $Object = __webpack_require__(/*! ../../modules/_core */ "./node_modules/core-js/library/modules/_core.js").Object; + module.exports = function getOwnPropertyDescriptor(it, key){ + return $Object.getOwnPropertyDescriptor(it, key); + }; - var counter = 0; + /***/ }), -// JavaScript micro-templating, similar to John Resig's implementation. -// Underscore templating handles arbitrary delimiters, preserves whitespace, -// and correctly escapes quotes within interpolated code. - var tmpl = function tmpl(text, data) { - var render; - - // Combine delimiters into one regular expression via alternation. - var matcher = new RegExp([(settings.escape || noMatch).source, (settings.interpolate || noMatch).source, (settings.evaluate || noMatch).source].join('|') + '|$', 'g'); - - // Compile the template source, escaping string literals appropriately. - var index = 0; - var source = '__p+=\''; - text.replace(matcher, function (match, escape, interpolate, evaluate, offset) { - source += text.slice(index, offset).replace(escaper, function (match) { - return '\\' + escapes[match]; - }); + /***/ "./node_modules/core-js/library/fn/object/keys.js": + /*!********************************************************!*\ + !*** ./node_modules/core-js/library/fn/object/keys.js ***! + \********************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - if (escape) source += '\'+\n((__t=(' + escape + '))==null?\'\':escapeExpr(__t))+\n\''; + __webpack_require__(/*! ../../modules/es6.object.keys */ "./node_modules/core-js/library/modules/es6.object.keys.js"); + module.exports = __webpack_require__(/*! ../../modules/_core */ "./node_modules/core-js/library/modules/_core.js").Object.keys; - if (interpolate) source += '\'+\n((__t=(' + interpolate + '))==null?\'\':__t)+\n\''; + /***/ }), - if (evaluate) source += '\';\n' + evaluate + '\n__p+=\''; + /***/ "./node_modules/core-js/library/fn/object/set-prototype-of.js": + /*!********************************************************************!*\ + !*** ./node_modules/core-js/library/fn/object/set-prototype-of.js ***! + \********************************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - index = offset + match.length; - return match; - }); - source += '\';\n'; + __webpack_require__(/*! ../../modules/es6.object.set-prototype-of */ "./node_modules/core-js/library/modules/es6.object.set-prototype-of.js"); + module.exports = __webpack_require__(/*! ../../modules/_core */ "./node_modules/core-js/library/modules/_core.js").Object.setPrototypeOf; - // If a variable is not specified, place data values in local scope. - if (!settings.variable) source = 'with(obj||{}){\n' + source + '}\n'; + /***/ }), - source = 'var __t,__p=\'\',__j=Array.prototype.join,' + 'print=function(){__p+=__j.call(arguments,\'\');};\n' + source + 'return __p;\n//# sourceURL=/microtemplates/source[' + counter++ + ']'; + /***/ "./node_modules/core-js/library/fn/symbol/index.js": + /*!*********************************************************!*\ + !*** ./node_modules/core-js/library/fn/symbol/index.js ***! + \*********************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - try { - /*jshint -W054 */ - // TODO: find a way to avoid eval - render = new Function(settings.variable || 'obj', 'escapeExpr', source); - } catch (e) { - e.source = source; - throw e; - } + __webpack_require__(/*! ../../modules/es6.symbol */ "./node_modules/core-js/library/modules/es6.symbol.js"); + __webpack_require__(/*! ../../modules/es6.object.to-string */ "./node_modules/core-js/library/modules/es6.object.to-string.js"); + __webpack_require__(/*! ../../modules/es7.symbol.async-iterator */ "./node_modules/core-js/library/modules/es7.symbol.async-iterator.js"); + __webpack_require__(/*! ../../modules/es7.symbol.observable */ "./node_modules/core-js/library/modules/es7.symbol.observable.js"); + module.exports = __webpack_require__(/*! ../../modules/_core */ "./node_modules/core-js/library/modules/_core.js").Symbol; + + /***/ }), + + /***/ "./node_modules/core-js/library/fn/symbol/iterator.js": + /*!************************************************************!*\ + !*** ./node_modules/core-js/library/fn/symbol/iterator.js ***! + \************************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - if (data) return render(data, escapeExpr); - var template = function template(data) { - return render.call(this, data, escapeExpr); + __webpack_require__(/*! ../../modules/es6.string.iterator */ "./node_modules/core-js/library/modules/es6.string.iterator.js"); + __webpack_require__(/*! ../../modules/web.dom.iterable */ "./node_modules/core-js/library/modules/web.dom.iterable.js"); + module.exports = __webpack_require__(/*! ../../modules/_wks-ext */ "./node_modules/core-js/library/modules/_wks-ext.js").f('iterator'); + + /***/ }), + + /***/ "./node_modules/core-js/library/modules/_a-function.js": + /*!*************************************************************!*\ + !*** ./node_modules/core-js/library/modules/_a-function.js ***! + \*************************************************************/ + /*! no static exports found */ + /***/ (function(module, exports) { + + module.exports = function(it){ + if(typeof it != 'function')throw TypeError(it + ' is not a function!'); + return it; }; - // Provide the compiled function source as a convenience for precompilation. - template.source = 'function(' + (settings.variable || 'obj') + '){\n' + source + '}'; + /***/ }), - return template; - }; - tmpl.settings = settings; + /***/ "./node_modules/core-js/library/modules/_add-to-unscopables.js": + /*!*********************************************************************!*\ + !*** ./node_modules/core-js/library/modules/_add-to-unscopables.js ***! + \*********************************************************************/ + /*! no static exports found */ + /***/ (function(module, exports) { - exports.default = tmpl; - module.exports = exports['default']; + module.exports = function(){ /* empty */ }; - /***/ }), - /* 8 */ - /***/ (function(module, exports) { + /***/ }), - /* - MIT License http://www.opensource.org/licenses/mit-license.php - Author Tobias Koppers @sokra -*/ -// css base code, injected by the css-loader - module.exports = function(useSourceMap) { - var list = []; - - // return the list of modules as css string - list.toString = function toString() { - return this.map(function (item) { - var content = cssWithMappingToString(item, useSourceMap); - if(item[2]) { - return "@media " + item[2] + "{" + content + "}"; - } else { - return content; - } - }).join(""); - }; + /***/ "./node_modules/core-js/library/modules/_an-object.js": + /*!************************************************************!*\ + !*** ./node_modules/core-js/library/modules/_an-object.js ***! + \************************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - // import a list of modules into the list - list.i = function(modules, mediaQuery) { - if(typeof modules === "string") - modules = [[null, modules, ""]]; - var alreadyImportedModules = {}; - for(var i = 0; i < this.length; i++) { - var id = this[i][0]; - if(typeof id === "number") - alreadyImportedModules[id] = true; - } - for(i = 0; i < modules.length; i++) { - var item = modules[i]; - // skip already imported module - // this implementation is not 100% perfect for weird media query combinations - // when a module is imported multiple times with different media queries. - // I hope this will never occur (Hey this way we have smaller bundles) - if(typeof item[0] !== "number" || !alreadyImportedModules[item[0]]) { - if(mediaQuery && !item[2]) { - item[2] = mediaQuery; - } else if(mediaQuery) { - item[2] = "(" + item[2] + ") and (" + mediaQuery + ")"; - } - list.push(item); - } - } + var isObject = __webpack_require__(/*! ./_is-object */ "./node_modules/core-js/library/modules/_is-object.js"); + module.exports = function(it){ + if(!isObject(it))throw TypeError(it + ' is not an object!'); + return it; }; - return list; - }; - - function cssWithMappingToString(item, useSourceMap) { - var content = item[1] || ''; - var cssMapping = item[3]; - if (!cssMapping) { - return content; - } - - if (useSourceMap && typeof btoa === 'function') { - var sourceMapping = toComment(cssMapping); - var sourceURLs = cssMapping.sources.map(function (source) { - return '/*# sourceURL=' + cssMapping.sourceRoot + source + ' */' - }); - - return [content].concat(sourceURLs).concat([sourceMapping]).join('\n'); - } - - return [content].join('\n'); - } -// Adapted from convert-source-map (MIT) - function toComment(sourceMap) { - // eslint-disable-next-line no-undef - var base64 = btoa(unescape(encodeURIComponent(JSON.stringify(sourceMap)))); - var data = 'sourceMappingURL=data:application/json;charset=utf-8;base64,' + base64; - - return '/*# ' + data + ' */'; - } + /***/ }), + /***/ "./node_modules/core-js/library/modules/_array-includes.js": + /*!*****************************************************************!*\ + !*** ./node_modules/core-js/library/modules/_array-includes.js ***! + \*****************************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - /***/ }), - /* 9 */ - /***/ (function(module, exports, __webpack_require__) { +// false -> Array#indexOf +// true -> Array#includes + var toIObject = __webpack_require__(/*! ./_to-iobject */ "./node_modules/core-js/library/modules/_to-iobject.js") + , toLength = __webpack_require__(/*! ./_to-length */ "./node_modules/core-js/library/modules/_to-length.js") + , toIndex = __webpack_require__(/*! ./_to-index */ "./node_modules/core-js/library/modules/_to-index.js"); + module.exports = function(IS_INCLUDES){ + return function($this, el, fromIndex){ + var O = toIObject($this) + , length = toLength(O.length) + , index = toIndex(fromIndex, length) + , value; + // Array#includes uses SameValueZero equality algorithm + if(IS_INCLUDES && el != el)while(length > index){ + value = O[index++]; + if(value != value)return true; + // Array#toIndex ignores holes, Array#includes - not + } else for(;length > index; index++)if(IS_INCLUDES || index in O){ + if(O[index] === el)return IS_INCLUDES || index || 0; + } return !IS_INCLUDES && -1; + }; + }; - /* - MIT License http://www.opensource.org/licenses/mit-license.php - Author Tobias Koppers @sokra -*/ + /***/ }), - var stylesInDom = {}; + /***/ "./node_modules/core-js/library/modules/_classof.js": + /*!**********************************************************!*\ + !*** ./node_modules/core-js/library/modules/_classof.js ***! + \**********************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - var memoize = function (fn) { - var memo; +// getting tag from 19.1.3.6 Object.prototype.toString() + var cof = __webpack_require__(/*! ./_cof */ "./node_modules/core-js/library/modules/_cof.js") + , TAG = __webpack_require__(/*! ./_wks */ "./node_modules/core-js/library/modules/_wks.js")('toStringTag') + // ES3 wrong here + , ARG = cof(function(){ return arguments; }()) == 'Arguments'; - return function () { - if (typeof memo === "undefined") memo = fn.apply(this, arguments); - return memo; +// fallback for IE11 Script Access Denied error + var tryGet = function(it, key){ + try { + return it[key]; + } catch(e){ /* empty */ } }; - }; - - var isOldIE = memoize(function () { - // Test for IE <= 9 as proposed by Browserhacks - // @see http://browserhacks.com/#hack-e71d8692f65334173fee715c222cb805 - // Tests for existence of standard globals is to allow style-loader - // to operate correctly into non-standard environments - // @see https://github.com/webpack-contrib/style-loader/issues/177 - return window && document && document.all && !window.atob; - }); - - var getTarget = function (target) { - return document.querySelector(target); - }; - - var getElement = (function (fn) { - var memo = {}; - - return function(target) { - // If passing function in options, then use it for resolve "head" element. - // Useful for Shadow Root style i.e - // { - // insertInto: function () { return document.querySelector("#foo").shadowRoot } - // } - if (typeof target === 'function') { - return target(); - } - if (typeof memo[target] === "undefined") { - var styleTarget = getTarget.call(this, target); - // Special case to return head of iframe instead of iframe itself - if (window.HTMLIFrameElement && styleTarget instanceof window.HTMLIFrameElement) { - try { - // This will throw an exception if access to iframe is blocked - // due to cross-origin restrictions - styleTarget = styleTarget.contentDocument.head; - } catch(e) { - styleTarget = null; - } - } - memo[target] = styleTarget; - } - return memo[target] + + module.exports = function(it){ + var O, T, B; + return it === undefined ? 'Undefined' : it === null ? 'Null' + // @@toStringTag case + : typeof (T = tryGet(O = Object(it), TAG)) == 'string' ? T + // builtinTag case + : ARG ? cof(O) + // ES3 arguments fallback + : (B = cof(O)) == 'Object' && typeof O.callee == 'function' ? 'Arguments' : B; }; - })(); - var singleton = null; - var singletonCounter = 0; - var stylesInsertedAtTop = []; + /***/ }), - var fixUrls = __webpack_require__(158); + /***/ "./node_modules/core-js/library/modules/_cof.js": + /*!******************************************************!*\ + !*** ./node_modules/core-js/library/modules/_cof.js ***! + \******************************************************/ + /*! no static exports found */ + /***/ (function(module, exports) { - module.exports = function(list, options) { - if (typeof DEBUG !== "undefined" && DEBUG) { - if (typeof document !== "object") throw new Error("The style-loader cannot be used in a non-browser environment"); - } + var toString = {}.toString; - options = options || {}; + module.exports = function(it){ + return toString.call(it).slice(8, -1); + }; - options.attrs = typeof options.attrs === "object" ? options.attrs : {}; + /***/ }), - // Force single-tag solution on IE6-9, which has a hard limit on the # of ').html((0, _template2.default)(style.toString())(options)); - } - }; + this.bitsAvailable = availableBytes * 8; + this.bytesAvailable -= availableBytes; + } // (count:int):void + ; - exports.default = Styler; - module.exports = exports['default']; + _proto.skipBits = function skipBits(count) { + var skipBytes; // :int - /***/ }), - /* 79 */ - /***/ (function(module, exports, __webpack_require__) { + 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 + ; - "use strict"; + _proto.readBits = function readBits(size) { + var bits = Math.min(this.bitsAvailable, size), + // :uint + valu = this.word >>> 32 - bits; // :uint + if (size > 32) { + logger["logger"].error('Cannot read more than 32 bits at a time'); + } - Object.defineProperty(exports, "__esModule", { - value: true - }); + this.bitsAvailable -= bits; - var _classCallCheck2 = __webpack_require__(0); + if (this.bitsAvailable > 0) { + this.word <<= bits; + } else if (this.bytesAvailable > 0) { + this.loadWord(); + } - var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + bits = size - bits; - var _possibleConstructorReturn2 = __webpack_require__(1); + 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 - var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); - var _createClass2 = __webpack_require__(3); + this.loadWord(); + return leadingZeroCount + this.skipLZ(); + } // ():void + ; - var _createClass3 = _interopRequireDefault(_createClass2); + _proto.skipUEG = function skipUEG() { + this.skipBits(1 + this.skipLZ()); + } // ():void + ; - var _inherits2 = __webpack_require__(2); + _proto.skipEG = function skipEG() { + this.skipBits(1 + this.skipLZ()); + } // ():uint + ; - var _inherits3 = _interopRequireDefault(_inherits2); + _proto.readUEG = function readUEG() { + var clz = this.skipLZ(); // :uint - var _events = __webpack_require__(4); + return this.readBits(clz + 1) - 1; + } // ():int + ; - var _events2 = _interopRequireDefault(_events); + _proto.readEG = function readEG() { + var valu = this.readUEG(); // :int - var _base_object = __webpack_require__(15); + 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 {number} 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, + nextScale = 8, + j, + deltaScale; + + for (j = 0; j < count; j++) { + if (nextScale !== 0) { + deltaScale = this.readEG(); + nextScale = (lastScale + deltaScale + 256) % 256; + } - var _base_object2 = _interopRequireDefault(_base_object); + 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, + frameCropRightOffset = 0, + frameCropTopOffset = 0, + frameCropBottomOffset = 0, + profileIdc, + profileCompat, + levelIdc, + numRefFramesInPicOrderCntCycle, + picWidthInMbsMinus1, + picHeightInMapUnitsMinus1, + frameMbsOnlyFlag, + scalingListCount, + i, + readUByte = this.readUByte.bind(this), + readBits = this.readBits.bind(this), + readUEG = this.readUEG.bind(this), + readBoolean = this.readBoolean.bind(this), + skipBits = this.skipBits.bind(this), + skipEG = this.skipEG.bind(this), + skipUEG = this.skipUEG.bind(this), + skipScalingList = this.skipScalingList.bind(this); + readUByte(); + profileIdc = readUByte(); // profile_idc + + profileCompat = readBits(5); // constraint_set[0-4]_flag, u(5) + + skipBits(3); // reserved_zero_3bits u(3), + + levelIdc = 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); + } + } + } + } + } - var _log = __webpack_require__(29); + skipUEG(); // log2_max_frame_num_minus4 - var _log2 = _interopRequireDefault(_log); + var picOrderCntType = readUEG(); - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + if (picOrderCntType === 0) { + readUEG(); // log2_max_pic_order_cnt_lsb_minus4 + } else if (picOrderCntType === 1) { + skipBits(1); // delta_pic_order_always_zero_flag - /** - * The PlayerError is responsible to receive and propagate errors. - * @class PlayerError - * @constructor - * @extends BaseObject - * @module components - */ - var PlayerError = function (_BaseObject) { - (0, _inherits3.default)(PlayerError, _BaseObject); - (0, _createClass3.default)(PlayerError, [{ - key: 'name', - get: function get() { - return 'error'; - } + skipEG(); // offset_for_non_ref_pic - /** - * @property Levels - * @type {Object} object with error levels - */ + skipEG(); // offset_for_top_to_bottom_field - }], [{ - key: 'Levels', - get: function get() { - return { - FATAL: 'FATAL', - WARN: 'WARN', - INFO: 'INFO' - }; - } - }]); + numRefFramesInPicOrderCntCycle = readUEG(); - function PlayerError() { - var options = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {}; - var core = arguments[1]; - (0, _classCallCheck3.default)(this, PlayerError); + for (i = 0; i < numRefFramesInPicOrderCntCycle; i++) { + skipEG(); + } // offset_for_ref_frame[ i ] - var _this = (0, _possibleConstructorReturn3.default)(this, _BaseObject.call(this, options)); + } - _this.core = core; - return _this; - } + skipUEG(); // max_num_ref_frames - /** - * creates and trigger an error. - * @method createError - * @param {Object} err should be an object with code, description, level, origin, scope and raw error. - */ + skipBits(1); // gaps_in_frame_num_value_allowed_flag + picWidthInMbsMinus1 = readUEG(); + picHeightInMapUnitsMinus1 = readUEG(); + frameMbsOnlyFlag = readBits(1); - PlayerError.prototype.createError = function createError(err) { - if (!this.core) { - _log2.default.warn(this.name, 'Core is not set. Error: ', err); - return; - } - this.core.trigger(_events2.default.ERROR, err); - }; + if (frameMbsOnlyFlag === 0) { + skipBits(1); + } // mb_adaptive_frame_field_flag - return PlayerError; - }(_base_object2.default); - exports.default = PlayerError; - module.exports = exports['default']; + skipBits(1); // direct_8x8_inference_flag - /***/ }), - /* 80 */ - /***/ (function(module, exports, __webpack_require__) { + if (readBoolean()) { + // frame_cropping_flag + frameCropLeftOffset = readUEG(); + frameCropRightOffset = readUEG(); + frameCropTopOffset = readUEG(); + frameCropBottomOffset = readUEG(); + } - "use strict"; + 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; + } + } + } + } - Object.defineProperty(exports, "__esModule", { - value: true - }); + return { + width: Math.ceil((picWidthInMbsMinus1 + 1) * 16 - frameCropLeftOffset * 2 - frameCropRightOffset * 2), + height: (2 - frameMbsOnlyFlag) * (picHeightInMapUnitsMinus1 + 1) * 16 - (frameMbsOnlyFlag ? 2 : 4) * (frameCropTopOffset + frameCropBottomOffset), + pixelRatio: pixelRatio + }; + }; - var _container = __webpack_require__(155); + _proto.readSliceType = function readSliceType() { + // skip NALu type + this.readUByte(); // discard first_mb_in_slice - var _container2 = _interopRequireDefault(_container); + this.readUEG(); // return slice_type - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + return this.readUEG(); + }; - exports.default = _container2.default; - module.exports = exports['default']; + return ExpGolomb; + }(); - /***/ }), - /* 81 */ - /***/ (function(module, exports) { + /* harmony default export */ var exp_golomb = (exp_golomb_ExpGolomb); +// CONCATENATED MODULE: ./src/demux/sample-aes.js + /** + * SAMPLE-AES decrypter + */ - module.exports = function escape(url) { - if (typeof url !== 'string') { - return url - } - // If url is already wrapped in quotes, remove them - if (/^['"].*['"]$/.test(url)) { - url = url.slice(1, -1); - } - // Should url be wrapped? - // See https://drafts.csswg.org/css-values-3/#urls - if (/["'() \t\n]/.test(url)) { - return '"' + url.replace(/"/g, '\\"').replace(/\n/g, '\\n') + '"' - } - return url - } + var sample_aes_SampleAesDecrypter = + /*#__PURE__*/ + function () { + function SampleAesDecrypter(observer, config, decryptdata, discardEPB) { + this.decryptdata = decryptdata; + this.discardEPB = discardEPB; + this.decrypter = new crypt_decrypter["default"](observer, config, { + removePKCS7Padding: false + }); + } + var _proto = SampleAesDecrypter.prototype; - /***/ }), - /* 82 */ - /***/ (function(module, exports, __webpack_require__) { + _proto.decryptBuffer = function decryptBuffer(encryptedData, callback) { + this.decrypter.decrypt(encryptedData, this.decryptdata.key.buffer, this.decryptdata.iv.buffer, callback); + } // AAC - encrypt all full 16 bytes blocks starting from offset 16 + ; - "use strict"; + _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 (decryptedData) { + decryptedData = new Uint8Array(decryptedData); + curUnit.set(decryptedData, 16); + if (!sync) { + localthis.decryptAacSamples(samples, sampleIndex + 1, callback); + } + }); + }; - Object.defineProperty(exports, "__esModule", { - value: true - }); + _proto.decryptAacSamples = function decryptAacSamples(samples, sampleIndex, callback) { + for (;; sampleIndex++) { + if (sampleIndex >= samples.length) { + callback(); + return; + } - var _loader = __webpack_require__(163); + if (samples[sampleIndex].unit.length < 32) { + continue; + } - var _loader2 = _interopRequireDefault(_loader); + var sync = this.decrypter.isSync(); + this.decryptAacSample(samples, sampleIndex, callback, sync); - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + if (!sync) { + return; + } + } + } // AVC - encrypt one 16 bytes block out of ten, starting from offset 32 + ; - exports.default = _loader2.default; - module.exports = exports['default']; + _proto.getAvcEncryptedData = function getAvcEncryptedData(decodedData) { + var encryptedDataLen = Math.floor((decodedData.length - 48) / 160) * 16 + 16; + var encryptedData = new Int8Array(encryptedDataLen); + var outputPos = 0; - /***/ }), - /* 83 */ - /***/ (function(module, exports, __webpack_require__) { + for (var inputPos = 32; inputPos <= decodedData.length - 16; inputPos += 160, outputPos += 16) { + encryptedData.set(decodedData.subarray(inputPos, inputPos + 16), outputPos); + } - module.exports = { "default": __webpack_require__(164), __esModule: true }; + return encryptedData; + }; - /***/ }), - /* 84 */ - /***/ (function(module, exports, __webpack_require__) { + _proto.getAvcDecryptedUnit = function getAvcDecryptedUnit(decodedData, decryptedData) { + decryptedData = new Uint8Array(decryptedData); + var inputPos = 0; - "use strict"; + for (var outputPos = 32; outputPos <= decodedData.length - 16; outputPos += 160, inputPos += 16) { + decodedData.set(decryptedData.subarray(inputPos, inputPos + 16), outputPos); + } + return decodedData; + }; - Object.defineProperty(exports, "__esModule", { - value: true - }); + _proto.decryptAvcSample = function decryptAvcSample(samples, sampleIndex, unitIndex, callback, curUnit, sync) { + var decodedData = this.discardEPB(curUnit.data); + var encryptedData = this.getAvcEncryptedData(decodedData); + var localthis = this; + this.decryptBuffer(encryptedData.buffer, function (decryptedData) { + curUnit.data = localthis.getAvcDecryptedUnit(decodedData, decryptedData); - var _flash = __webpack_require__(176); + if (!sync) { + localthis.decryptAvcSamples(samples, sampleIndex, unitIndex + 1, callback); + } + }); + }; - var _flash2 = _interopRequireDefault(_flash); + _proto.decryptAvcSamples = function decryptAvcSamples(samples, sampleIndex, unitIndex, callback) { + for (;; sampleIndex++, unitIndex = 0) { + if (sampleIndex >= samples.length) { + callback(); + return; + } - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + var curUnits = samples[sampleIndex].units; - exports.default = _flash2.default; - module.exports = exports['default']; + for (;; unitIndex++) { + if (unitIndex >= curUnits.length) { + break; + } - /***/ }), - /* 85 */ - /***/ (function(module, exports, __webpack_require__) { + var curUnit = curUnits[unitIndex]; - "use strict"; + if (curUnit.length <= 48 || curUnit.type !== 1 && curUnit.type !== 5) { + continue; + } + var sync = this.decrypter.isSync(); + this.decryptAvcSample(samples, sampleIndex, unitIndex, callback, curUnit, sync); - Object.defineProperty(exports, "__esModule", { - value: true - }); + if (!sync) { + return; + } + } + } + }; - var _html5_audio = __webpack_require__(182); + return SampleAesDecrypter; + }(); - var _html5_audio2 = _interopRequireDefault(_html5_audio); + /* harmony default export */ var sample_aes = (sample_aes_SampleAesDecrypter); +// CONCATENATED MODULE: ./src/demux/tsdemuxer.js + /** + * 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. + */ - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - exports.default = _html5_audio2.default; - module.exports = exports['default']; - /***/ }), - /* 86 */ - /***/ (function(module, exports, __webpack_require__) { - "use strict"; + // import Hex from '../utils/hex'; - Object.defineProperty(exports, "__esModule", { - value: true - }); - var _flashls = __webpack_require__(183); + // 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 _flashls2 = _interopRequireDefault(_flashls); + var RemuxerTrackIdConfig = { + video: 1, + audio: 2, + id3: 3, + text: 4 + }; - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + var tsdemuxer_TSDemuxer = + /*#__PURE__*/ + function () { + function TSDemuxer(observer, remuxer, config, typeSupported) { + this.observer = observer; + this.config = config; + this.typeSupported = typeSupported; + this.remuxer = remuxer; + this.sampleAes = null; + } - exports.default = _flashls2.default; - module.exports = exports['default']; + var _proto = TSDemuxer.prototype; - /***/ }), - /* 87 */ - /***/ (function(module, exports, __webpack_require__) { + _proto.setDecryptData = function setDecryptData(decryptdata) { + if (decryptdata != null && decryptdata.key != null && decryptdata.method === 'SAMPLE-AES') { + this.sampleAes = new sample_aes(this.observer, this.config, decryptdata, this.discardEPB); + } else { + this.sampleAes = null; + } + }; - "use strict"; + TSDemuxer.probe = function probe(data) { + var syncOffset = TSDemuxer._syncOffset(data); + if (syncOffset < 0) { + return false; + } else { + if (syncOffset) { + logger["logger"].warn("MPEG2-TS detected but first sync word found @ offset " + syncOffset + ", junk ahead ?"); + } - Object.defineProperty(exports, "__esModule", { - value: true - }); + return true; + } + }; - var _hls = __webpack_require__(186); + TSDemuxer._syncOffset = function _syncOffset(data) { + // scan 1000 first bytes + var scanwindow = Math.min(1000, data.length - 3 * 188); + var i = 0; - var _hls2 = _interopRequireDefault(_hls); + 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++; + } + } - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + return -1; + } + /** + * Creates a track model internal to demuxer used to drive remuxing input + * + * @param {string} type 'audio' | 'video' | 'id3' | 'text' + * @param {number} duration + * @return {object} 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: type === 'video' ? 0 : undefined, + isAAC: type === 'audio' ? true : undefined, + 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. + * + * @override Implements generic demuxing/remuxing interface (see DemuxerInline) + * @param {object} initSegment + * @param {string} audioCodec + * @param {string} videoCodec + * @param {number} duration (in TS timescale = 90kHz) + */ + ; + + _proto.resetInitSegment = function resetInitSegment(initSegment, 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); // flush any partial content + + this.aacOverFlow = null; + this.aacLastPTS = null; + this.avcSample = null; + this.audioCodec = audioCodec; + this.videoCodec = videoCodec; + this._duration = duration; + } + /** + * + * @override + */ + ; + + _proto.resetTimeStamp = function resetTimeStamp() {} // feed incoming data to the front of the parsing pipeline + ; + + _proto.append = function append(data, timeOffset, contiguous, accurateTimeOffset) { + var start, + len = data.length, + stt, + pid, + atf, + offset, + pes, + unknownPIDs = false; + this.contiguous = contiguous; + + var pmtParsed = this.pmtParsed, + avcTrack = this._avcTrack, + audioTrack = this._audioTrack, + id3Track = this._id3Track, + avcId = avcTrack.pid, + audioId = audioTrack.pid, + id3Id = id3Track.pid, + pmtId = this._pmtId, + avcData = avcTrack.pesData, + audioData = audioTrack.pesData, + id3Data = id3Track.pesData, + parsePAT = this._parsePAT, + parsePMT = this._parsePMT, + parsePES = this._parsePES, + parseAVCPES = this._parseAVCPES.bind(this), + parseAACPES = this._parseAACPES.bind(this), + parseMPEGPES = this._parseMPEGPES.bind(this), + parseID3PES = this._parseID3PES.bind(this); + + var syncOffset = TSDemuxer._syncOffset(data); // don't parse last TS packet if incomplete + + + len -= (len + syncOffset) % 188; // loop through TS packets + + for (start = syncOffset; start < len; start += 188) { + if (data[start] === 0x47) { + stt = !!(data[start + 1] & 0x40); // pid is a 13-bit field starting at the last bit of TS[1] + + pid = ((data[start + 1] & 0x1f) << 8) + data[start + 2]; + 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. + + 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; + } - exports.default = _hls2.default; - module.exports = exports['default']; + switch (pid) { + case avcId: + if (stt) { + if (avcData && (pes = parsePES(avcData))) { + parseAVCPES(pes, false); + } - /***/ }), - /* 88 */ - /***/ (function(module, exports, __webpack_require__) { + avcData = { + data: [], + size: 0 + }; + } - module.exports = { "default": __webpack_require__(187), __esModule: true }; + if (avcData) { + avcData.data.push(data.subarray(offset, start + 188)); + avcData.size += start + 188 - offset; + } - /***/ }), - /* 89 */ - /***/ (function(module, exports, __webpack_require__) { + break; - "use strict"; + case audioId: + if (stt) { + if (audioData && (pes = parsePES(audioData))) { + if (audioTrack.isAAC) { + parseAACPES(pes); + } else { + parseMPEGPES(pes); + } + } + audioData = { + data: [], + size: 0 + }; + } - Object.defineProperty(exports, "__esModule", { - value: true - }); + if (audioData) { + audioData.data.push(data.subarray(offset, start + 188)); + audioData.size += start + 188 - offset; + } - var _html_img = __webpack_require__(189); + break; - var _html_img2 = _interopRequireDefault(_html_img); + case id3Id: + if (stt) { + if (id3Data && (pes = parsePES(id3Data))) { + parseID3PES(pes); + } - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + id3Data = { + data: [], + size: 0 + }; + } - exports.default = _html_img2.default; - module.exports = exports['default']; + if (id3Data) { + id3Data.data.push(data.subarray(offset, start + 188)); + id3Data.size += start + 188 - offset; + } - /***/ }), - /* 90 */ - /***/ (function(module, exports, __webpack_require__) { + break; - "use strict"; + case 0: + if (stt) { + offset += data[offset] + 1; + } + pmtId = this._pmtId = parsePAT(data, offset); + break; - Object.defineProperty(exports, "__esModule", { - value: true - }); + case pmtId: + if (stt) { + offset += data[offset] + 1; + } - var _no_op = __webpack_require__(192); + var parsedPIDs = parsePMT(data, offset, this.typeSupported.mpeg === true || this.typeSupported.mp3 === true, this.sampleAes != null); // 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. - var _no_op2 = _interopRequireDefault(_no_op); + avcId = parsedPIDs.avc; - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + if (avcId > 0) { + avcTrack.pid = avcId; + } - exports.default = _no_op2.default; - module.exports = exports['default']; + audioId = parsedPIDs.audio; - /***/ }), - /* 91 */ - /***/ (function(module, exports, __webpack_require__) { + if (audioId > 0) { + audioTrack.pid = audioId; + audioTrack.isAAC = parsedPIDs.isAAC; + } - "use strict"; + id3Id = parsedPIDs.id3; + if (id3Id > 0) { + id3Track.pid = id3Id; + } - Object.defineProperty(exports, "__esModule", { - value: true - }); + if (unknownPIDs && !pmtParsed) { + logger["logger"].log('reparse from beginning'); + unknownPIDs = false; // we set it to -188, the += 188 in the for loop will reset start to 0 - var _spinner_three_bounce = __webpack_require__(196); + start = syncOffset - 188; + } - var _spinner_three_bounce2 = _interopRequireDefault(_spinner_three_bounce); + pmtParsed = this.pmtParsed = true; + break; - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + case 17: + case 0x1fff: + break; - exports.default = _spinner_three_bounce2.default; - module.exports = exports['default']; + default: + unknownPIDs = true; + break; + } + } else { + this.observer.trigger(events["default"].ERROR, { + type: errors["ErrorTypes"].MEDIA_ERROR, + details: errors["ErrorDetails"].FRAG_PARSING_ERROR, + fatal: false, + reason: 'TS packet did not start with 0x47' + }); + } + } // try to parse last PES packets - /***/ }), - /* 92 */ - /***/ (function(module, exports, __webpack_require__) { - "use strict"; + if (avcData && (pes = parsePES(avcData))) { + 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) { + parseAACPES(pes); + } else { + parseMPEGPES(pes); + } - Object.defineProperty(exports, "__esModule", { - value: true - }); + audioTrack.pesData = null; + } else { + if (audioData && audioData.size) { + logger["logger"].log('last AAC PES packet truncated,might overlap between fragments'); + } // either audioData null or PES truncated, keep it for next frag parsing - var _watermark = __webpack_require__(202); - var _watermark2 = _interopRequireDefault(_watermark); + audioTrack.pesData = audioData; + } - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + if (id3Data && (pes = parsePES(id3Data))) { + parseID3PES(pes); + id3Track.pesData = null; + } else { + // either id3Data null or PES truncated, keep it for next frag parsing + id3Track.pesData = id3Data; + } - exports.default = _watermark2.default; - module.exports = exports['default']; + if (this.sampleAes == null) { + this.remuxer.remux(audioTrack, avcTrack, id3Track, this._txtTrack, timeOffset, contiguous, accurateTimeOffset); + } else { + this.decryptAndRemux(audioTrack, avcTrack, id3Track, this._txtTrack, timeOffset, contiguous, accurateTimeOffset); + } + }; - /***/ }), - /* 93 */ - /***/ (function(module, exports, __webpack_require__) { + _proto.decryptAndRemux = function decryptAndRemux(audioTrack, videoTrack, id3Track, textTrack, timeOffset, contiguous, accurateTimeOffset) { + if (audioTrack.samples && audioTrack.isAAC) { + var localthis = this; + this.sampleAes.decryptAacSamples(audioTrack.samples, 0, function () { + localthis.decryptAndRemuxAvc(audioTrack, videoTrack, id3Track, textTrack, timeOffset, contiguous, accurateTimeOffset); + }); + } else { + this.decryptAndRemuxAvc(audioTrack, videoTrack, id3Track, textTrack, timeOffset, contiguous, accurateTimeOffset); + } + }; - "use strict"; + _proto.decryptAndRemuxAvc = function decryptAndRemuxAvc(audioTrack, videoTrack, id3Track, textTrack, timeOffset, contiguous, accurateTimeOffset) { + if (videoTrack.samples) { + var localthis = this; + this.sampleAes.decryptAvcSamples(videoTrack.samples, 0, 0, function () { + localthis.remuxer.remux(audioTrack, videoTrack, id3Track, textTrack, timeOffset, contiguous, accurateTimeOffset); + }); + } else { + this.remuxer.remux(audioTrack, videoTrack, id3Track, textTrack, timeOffset, contiguous, accurateTimeOffset); + } + }; + _proto.destroy = function destroy() { + this._initPTS = this._initDTS = undefined; + this._duration = 0; + }; - Object.defineProperty(exports, "__esModule", { - value: true - }); + _proto._parsePAT = 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); + }; - var _poster = __webpack_require__(206); + _proto._parsePMT = function _parsePMT(data, offset, mpegSupported, isSampleAes) { + var sectionLength, + tableEnd, + programInfoLength, + pid, + result = { + audio: -1, + avc: -1, + id3: -1, + isAAC: true + }; + sectionLength = (data[offset + 1] & 0x0f) << 8 | data[offset + 2]; + tableEnd = offset + 3 + sectionLength - 4; // to determine where the table is, we have to figure out how + // long the program info descriptors are - var _poster2 = _interopRequireDefault(_poster); + programInfoLength = (data[offset + 10] & 0x0f) << 8 | data[offset + 11]; // advance the offset to the first entry in the mapping table - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + offset += 12 + programInfoLength; - exports.default = _poster2.default; - module.exports = exports['default']; + while (offset < tableEnd) { + pid = (data[offset + 1] & 0x1F) << 8 | data[offset + 2]; - /***/ }), - /* 94 */ - /***/ (function(module, exports, __webpack_require__) { + switch (data[offset]) { + case 0xcf: + // SAMPLE-AES AAC + if (!isSampleAes) { + logger["logger"].log('unknown stream type:' + data[offset]); + break; + } - "use strict"; + /* falls through */ + // ISO/IEC 13818-7 ADTS AAC (MPEG-2 lower bit-rate audio) + case 0x0f: + // logger.log('AAC PID:' + pid); + if (result.audio === -1) { + result.audio = pid; + } - Object.defineProperty(exports, "__esModule", { - value: true - }); + break; + // Packetized metadata (ID3) - var _click_to_pause = __webpack_require__(212); + case 0x15: + // logger.log('ID3 PID:' + pid); + if (result.id3 === -1) { + result.id3 = pid; + } - var _click_to_pause2 = _interopRequireDefault(_click_to_pause); + break; - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + case 0xdb: + // SAMPLE-AES AVC + if (!isSampleAes) { + logger["logger"].log('unknown stream type:' + data[offset]); + break; + } - exports.default = _click_to_pause2.default; - module.exports = exports['default']; + /* falls through */ + // ITU-T Rec. H.264 and ISO/IEC 14496-10 (lower bit-rate video) - /***/ }), - /* 95 */ - /***/ (function(module, exports, __webpack_require__) { + case 0x1b: + // logger.log('AVC PID:' + pid); + if (result.avc === -1) { + result.avc = pid; + } - "use strict"; + 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) { + logger["logger"].log('MPEG audio found, not supported in this browser for now'); + } else if (result.audio === -1) { + result.audio = pid; + result.isAAC = false; + } + break; - Object.defineProperty(exports, "__esModule", { - value: true - }); + case 0x24: + logger["logger"].warn('HEVC stream type found, not supported for now'); + break; - var _media_control = __webpack_require__(213); + default: + logger["logger"].log('unknown stream type:' + data[offset]); + break; + } // move to the next table entry + // skip past the elementary stream descriptors, if present - var _media_control2 = _interopRequireDefault(_media_control); - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + offset += ((data[offset + 3] & 0x0F) << 8 | data[offset + 4]) + 5; + } - exports.default = _media_control2.default; - module.exports = exports['default']; + return result; + }; - /***/ }), - /* 96 */ - /***/ (function(module, exports) { + _proto._parsePES = function _parsePES(stream) { + var i = 0, + frag, + pesFlags, + pesPrefix, + pesLen, + pesHdrLen, + pesData, + pesPts, + pesDts, + payloadStartOffset, + 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]; + 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; + } - module.exports = "<%=baseUrl%>/a8c874b93b3d848f39a71260c57e3863.cur"; + pesFlags = frag[7]; - /***/ }), - /* 97 */ - /***/ (function(module, exports) { + 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; // check if greater than 2^32 -1 + + if (pesPts > 4294967295) { + // decrement 2^33 + pesPts -= 8589934592; + } - module.exports = "" + 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; // check if greater than 2^32 -1 - /***/ }), - /* 98 */ - /***/ (function(module, exports, __webpack_require__) { + if (pesDts > 4294967295) { + // decrement 2^33 + pesDts -= 8589934592; + } - "use strict"; + if (pesPts - pesDts > 60 * 90000) { + logger["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 - Object.defineProperty(exports, "__esModule", { - value: true - }); + payloadStartOffset = pesHdrLen + 9; - var _dvr_controls = __webpack_require__(223); + if (stream.size <= payloadStartOffset) { + return null; + } - var _dvr_controls2 = _interopRequireDefault(_dvr_controls); + stream.size -= payloadStartOffset; // reassemble PES packet - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + pesData = new Uint8Array(stream.size); - exports.default = _dvr_controls2.default; - module.exports = exports['default']; + for (var j = 0, dataLen = data.length; j < dataLen; j++) { + frag = data[j]; + var len = frag.byteLength; - /***/ }), - /* 99 */ - /***/ (function(module, exports, __webpack_require__) { + 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; + } + } - "use strict"; + pesData.set(frag, i); + i += len; + } + if (pesLen) { + // payload size : remove PES header + PES extension + pesLen -= pesHdrLen + 3; + } - Object.defineProperty(exports, "__esModule", { - value: true - }); + return { + data: pesData, + pts: pesPts, + dts: pesDts, + len: pesLen + }; + } else { + return null; + } + }; - var _favicon = __webpack_require__(233); + _proto.pushAccesUnit = function pushAccesUnit(avcSample, avcTrack) { + if (avcSample.units.length && avcSample.frame) { + var samples = avcTrack.samples; + var nbSamples = samples.length; // if sample does not have PTS/DTS, patch with last sample PTS/DTS - var _favicon2 = _interopRequireDefault(_favicon); + if (isNaN(avcSample.pts)) { + if (nbSamples) { + var lastSample = samples[nbSamples - 1]; + avcSample.pts = lastSample.pts; + avcSample.dts = lastSample.dts; + } else { + // dropping samples, no timestamp found + avcTrack.dropped++; + return; + } + } // only push AVC sample if starting with a keyframe is not mandatory OR + // if keyframe already found in this fragment OR + // keyframe found in last fragment (track.sps) AND + // samples already appended (we already found a keyframe in this fragment) OR fragment is contiguous - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - exports.default = _favicon2.default; - module.exports = exports['default']; + if (!this.config.forceKeyFrameOnDiscontinuity || avcSample.key === true || avcTrack.sps && (nbSamples || this.contiguous)) { + avcSample.id = nbSamples; + samples.push(avcSample); + } else { + // dropped samples, track it + avcTrack.dropped++; + } + } - /***/ }), - /* 100 */ - /***/ (function(module, exports, __webpack_require__) { + if (avcSample.debug.length) { + logger["logger"].log(avcSample.pts + '/' + avcSample.dts + ':' + avcSample.debug); + } + }; - "use strict"; + _proto._parseAVCPES = function _parseAVCPES(pes, last) { + var _this = this; + + // logger.log('parse new PES'); + var track = this._avcTrack, + units = this._parseAVCNALu(pes.data), + debug = false, + expGolombDecoder, + avcSample = this.avcSample, + push, + spsfound = false, + i, + pushAccesUnit = this.pushAccesUnit.bind(this), + createAVCSample = function createAVCSample(key, pts, dts, debug) { + return { + key: key, + pts: pts, + dts: dts, + units: [], + debug: debug + }; + }; // 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) { + pushAccesUnit(avcSample, track); + avcSample = this.avcSample = createAVCSample(false, pes.pts, pes.dts, ''); + } + units.forEach(function (unit) { + switch (unit.type) { + // NDR + case 1: + push = true; - Object.defineProperty(exports, "__esModule", { - value: true - }); + if (!avcSample) { + avcSample = _this.avcSample = createAVCSample(true, pes.pts, pes.dts, ''); + } - var _player = __webpack_require__(101); + if (debug) { + avcSample.debug += 'NDR '; + } - var _player2 = _interopRequireDefault(_player); + 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 ...) - var _utils = __webpack_require__(5); + 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(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) { - var _utils2 = _interopRequireDefault(_utils); + if (sliceType === 2 || sliceType === 4 || sliceType === 7 || sliceType === 9) { + avcSample.key = true; + } + } - var _events = __webpack_require__(4); + break; + // IDR - var _events2 = _interopRequireDefault(_events); + case 5: + push = true; // handle PES not starting with AUD - var _playback = __webpack_require__(10); + if (!avcSample) { + avcSample = _this.avcSample = createAVCSample(true, pes.pts, pes.dts, ''); + } - var _playback2 = _interopRequireDefault(_playback); + if (debug) { + avcSample.debug += 'IDR '; + } - var _container_plugin = __webpack_require__(43); + avcSample.key = true; + avcSample.frame = true; + break; + // SEI - var _container_plugin2 = _interopRequireDefault(_container_plugin); + case 6: + push = true; - var _core_plugin = __webpack_require__(35); + if (debug && avcSample) { + avcSample.debug += 'SEI '; + } - var _core_plugin2 = _interopRequireDefault(_core_plugin); + expGolombDecoder = new exp_golomb(_this.discardEPB(unit.data)); // skip frameType - var _ui_core_plugin = __webpack_require__(23); + 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 (i = 0; i < totalCCs; i++) { + // 3 bytes per CC + byteArray.push(expGolombDecoder.readUByte()); + byteArray.push(expGolombDecoder.readUByte()); + byteArray.push(expGolombDecoder.readUByte()); + } + + _this._insertSampleInOrder(_this._txtTrack.samples, { + type: 3, + pts: pes.pts, + bytes: byteArray + }); + } + } + } + } + } else if (payloadType === 5 && expGolombDecoder.bytesAvailable !== 0) { + endOfCaptions = true; - var _ui_core_plugin2 = _interopRequireDefault(_ui_core_plugin); + if (payloadSize > 16) { + var uuidStrArray = []; - var _ui_container_plugin = __webpack_require__(42); + for (i = 0; i < 16; i++) { + uuidStrArray.push(expGolombDecoder.readUByte().toString(16)); - var _ui_container_plugin2 = _interopRequireDefault(_ui_container_plugin); + if (i === 3 || i === 5 || i === 7 || i === 9) { + uuidStrArray.push('-'); + } + } - var _base_object = __webpack_require__(15); + var length = payloadSize - 16; + var userDataPayloadBytes = new Uint8Array(length); - var _base_object2 = _interopRequireDefault(_base_object); + for (i = 0; i < length; i++) { + userDataPayloadBytes[i] = expGolombDecoder.readUByte(); + } - var _ui_object = __webpack_require__(30); + _this._insertSampleInOrder(_this._txtTrack.samples, { + pts: pes.pts, + payloadType: payloadType, + uuid: uuidStrArray.join(''), + userDataBytes: userDataPayloadBytes, + userData: Object(id3["utf8ArrayToStr"])(userDataPayloadBytes.buffer) + }); + } + } else if (payloadSize < expGolombDecoder.bytesAvailable) { + for (i = 0; i < payloadSize; i++) { + expGolombDecoder.readUByte(); + } + } + } - var _ui_object2 = _interopRequireDefault(_ui_object); + break; + // SPS - var _browser = __webpack_require__(14); + case 7: + push = true; + spsfound = true; - var _browser2 = _interopRequireDefault(_browser); + if (debug && avcSample) { + avcSample.debug += 'SPS '; + } - var _container = __webpack_require__(80); + if (!track.sps) { + expGolombDecoder = new exp_golomb(unit.data); + var config = expGolombDecoder.readSPS(); + track.width = config.width; + track.height = config.height; + track.pixelRatio = config.pixelRatio; + track.sps = [unit.data]; + track.duration = _this._duration; + var codecarray = unit.data.subarray(1, 4); + var codecstring = 'avc1.'; + + for (i = 0; i < 3; i++) { + var h = codecarray[i].toString(16); + + if (h.length < 2) { + h = '0' + h; + } - var _container2 = _interopRequireDefault(_container); + codecstring += h; + } - var _core = __webpack_require__(77); + track.codec = codecstring; + } - var _core2 = _interopRequireDefault(_core); + break; + // PPS - var _error = __webpack_require__(24); + case 8: + push = true; - var _error2 = _interopRequireDefault(_error); + if (debug && avcSample) { + avcSample.debug += 'PPS '; + } - var _loader = __webpack_require__(82); + if (!track.pps) { + track.pps = [unit.data]; + } - var _loader2 = _interopRequireDefault(_loader); + break; + // AUD - var _mediator = __webpack_require__(31); + case 9: + push = false; + track.audFound = true; - var _mediator2 = _interopRequireDefault(_mediator); + if (avcSample) { + pushAccesUnit(avcSample, track); + } - var _player_info = __webpack_require__(40); + avcSample = _this.avcSample = createAVCSample(false, pes.pts, pes.dts, debug ? 'AUD ' : ''); + break; + // Filler Data - var _player_info2 = _interopRequireDefault(_player_info); + case 12: + push = false; + break; - var _base_flash_playback = __webpack_require__(63); + default: + push = false; - var _base_flash_playback2 = _interopRequireDefault(_base_flash_playback); + if (avcSample) { + avcSample.debug += 'unknown NAL ' + unit.type + ' '; + } - var _flash = __webpack_require__(84); + break; + } - var _flash2 = _interopRequireDefault(_flash); + if (avcSample && push) { + var _units = avcSample.units; - var _flashls = __webpack_require__(86); + _units.push(unit); + } + }); // if last PES packet, push samples - var _flashls2 = _interopRequireDefault(_flashls); + if (last && avcSample) { + pushAccesUnit(avcSample, track); + this.avcSample = null; + } + }; - var _hls = __webpack_require__(87); + _proto._insertSampleInOrder = function _insertSampleInOrder(arr, data) { + var len = arr.length; - var _hls2 = _interopRequireDefault(_hls); + 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); + } + }; - var _html5_audio = __webpack_require__(85); + _proto._getLastNalUnit = function _getLastNalUnit() { + var avcSample = this.avcSample, + lastUnit; // try to fallback to previous sample if current one is empty - var _html5_audio2 = _interopRequireDefault(_html5_audio); + if (!avcSample || avcSample.units.length === 0) { + var track = this._avcTrack, + samples = track.samples; + avcSample = samples[samples.length - 1]; + } - var _html5_video = __webpack_require__(41); + if (avcSample) { + var units = avcSample.units; + lastUnit = units[units.length - 1]; + } - var _html5_video2 = _interopRequireDefault(_html5_video); + return lastUnit; + }; - var _html_img = __webpack_require__(89); + _proto._parseAVCNALu = function _parseAVCNALu(array) { + var i = 0, + len = array.byteLength, + value, + overflow, + track = this._avcTrack, + state = track.naluState || 0, + lastState = state; + var units = [], + unit, + unitType, + lastUnitStart = -1, + lastUnitType; // 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; + } - var _html_img2 = _interopRequireDefault(_html_img); + while (i < len) { + value = array[i++]; // optimization. state 0 and 1 are the predominant case. let's handle them outside of the switch/case - var _no_op = __webpack_require__(90); + if (!state) { + state = value ? 0 : 1; + continue; + } - var _no_op2 = _interopRequireDefault(_no_op); + if (state === 1) { + state = value ? 0 : 2; + continue; + } // here we have state either equal to 2 or 3 - var _media_control = __webpack_require__(95); - var _media_control2 = _interopRequireDefault(_media_control); + if (!value) { + state = 3; + } else if (value === 1) { + if (lastUnitStart >= 0) { + unit = { + data: array.subarray(lastUnitStart, i - state - 1), + type: lastUnitType + }; // logger.log('pushing NALU, type/size:' + unit.type + '/' + unit.data.byteLength); - var _click_to_pause = __webpack_require__(94); + 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. - var _click_to_pause2 = _interopRequireDefault(_click_to_pause); - var _dvr_controls = __webpack_require__(98); + overflow = i - state - 1; - var _dvr_controls2 = _interopRequireDefault(_dvr_controls); + 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 - var _favicon = __webpack_require__(99); - var _favicon2 = _interopRequireDefault(_favicon); + if (i < len) { + unitType = array[i] & 0x1f; // logger.log('find NALU @ offset:' + i + ',type:' + unitType); - var _log = __webpack_require__(29); + 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; + } + } - var _log2 = _interopRequireDefault(_log); + if (lastUnitStart >= 0 && state >= 0) { + 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 - var _poster = __webpack_require__(93); - var _poster2 = _interopRequireDefault(_poster); + if (units.length === 0) { + // append pes.data to previous NAL unit + var _lastUnit = this._getLastNalUnit(); - var _spinner_three_bounce = __webpack_require__(91); + if (_lastUnit) { + var _tmp = new Uint8Array(_lastUnit.data.byteLength + array.byteLength); - var _spinner_three_bounce2 = _interopRequireDefault(_spinner_three_bounce); + _tmp.set(_lastUnit.data, 0); - var _watermark = __webpack_require__(92); + _tmp.set(array, _lastUnit.data.byteLength); - var _watermark2 = _interopRequireDefault(_watermark); + _lastUnit.data = _tmp; + } + } - var _styler = __webpack_require__(78); + track.naluState = state; + return units; + } + /** + * remove Emulation Prevention bytes from a RBSP + */ + ; + + _proto.discardEPB = function discardEPB(data) { + var length = data.byteLength, + EPBPositions = [], + i = 1, + newLength, + newData; // 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 - var _styler2 = _interopRequireDefault(_styler); - var _vendor = __webpack_require__(60); + if (EPBPositions.length === 0) { + return data; + } // Create a new array to hold the NAL unit data - var _vendor2 = _interopRequireDefault(_vendor); - var _template = __webpack_require__(7); + newLength = length - EPBPositions.length; + newData = new Uint8Array(newLength); + var sourceIndex = 0; - var _template2 = _interopRequireDefault(_template); + for (i = 0; i < newLength; sourceIndex++, i++) { + if (sourceIndex === EPBPositions[0]) { + // Skip this byte + sourceIndex++; // Remove this position index - var _clapprZepto = __webpack_require__(6); + EPBPositions.shift(); + } - var _clapprZepto2 = _interopRequireDefault(_clapprZepto); + newData[i] = data[sourceIndex]; + } - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + return newData; + }; - var version = "0.3.1"; // Copyright 2014 Globo.com Player authors. All rights reserved. -// Use of this source code is governed by a BSD-style -// license that can be found in the LICENSE file. + _proto._parseAACPES = function _parseAACPES(pes) { + var track = this._audioTrack, + data = pes.data, + pts = pes.pts, + startOffset = 0, + aacOverFlow = this.aacOverFlow, + aacLastPTS = this.aacLastPTS, + frameDuration, + frameIndex, + offset, + stamp, + len; + + 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) + + + for (offset = startOffset, len = data.length; offset < len - 1; offset++) { + if (isHeader(data, offset)) { + break; + } + } // if ADTS header does not start straight from the beginning of the PES payload, raise an error - exports.default = { - Player: _player2.default, - Mediator: _mediator2.default, - Events: _events2.default, - Browser: _browser2.default, - PlayerInfo: _player_info2.default, - MediaControl: _media_control2.default, - ContainerPlugin: _container_plugin2.default, - UIContainerPlugin: _ui_container_plugin2.default, - CorePlugin: _core_plugin2.default, - UICorePlugin: _ui_core_plugin2.default, - Playback: _playback2.default, - Container: _container2.default, - Core: _core2.default, - PlayerError: _error2.default, - Loader: _loader2.default, - BaseObject: _base_object2.default, - UIObject: _ui_object2.default, - Utils: _utils2.default, - BaseFlashPlayback: _base_flash_playback2.default, - Flash: _flash2.default, - FlasHLS: _flashls2.default, - HLS: _hls2.default, - HTML5Audio: _html5_audio2.default, - HTML5Video: _html5_video2.default, - HTMLImg: _html_img2.default, - NoOp: _no_op2.default, - ClickToPausePlugin: _click_to_pause2.default, - DVRControls: _dvr_controls2.default, - Favicon: _favicon2.default, - Log: _log2.default, - Poster: _poster2.default, - SpinnerThreeBouncePlugin: _spinner_three_bounce2.default, - WaterMarkPlugin: _watermark2.default, - Styler: _styler2.default, - Vendor: _vendor2.default, - version: version, - template: _template2.default, - $: _clapprZepto2.default - }; - module.exports = exports['default']; - /***/ }), - /* 101 */ - /***/ (function(module, exports, __webpack_require__) { + if (offset) { + var reason, fatal; - "use strict"; + 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; + } + logger["logger"].warn("parsing error:" + reason); + this.observer.trigger(events["default"].ERROR, { + type: errors["ErrorTypes"].MEDIA_ERROR, + details: errors["ErrorDetails"].FRAG_PARSING_ERROR, + fatal: fatal, + reason: reason + }); - Object.defineProperty(exports, "__esModule", { - value: true - }); + if (fatal) { + return; + } + } - var _assign = __webpack_require__(12); + initTrackConfig(track, this.observer, data, offset, this.audioCodec); + frameIndex = 0; + frameDuration = 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 _assign2 = _interopRequireDefault(_assign); + if (aacOverFlow && aacLastPTS) { + var newPTS = aacLastPTS + frameDuration; - var _keys = __webpack_require__(53); + if (Math.abs(newPTS - pts) > 1) { + logger["logger"].log("AAC: align PTS for overlapping frames by " + Math.round((newPTS - pts) / 90)); + pts = newPTS; + } + } // scan for aac samples - var _keys2 = _interopRequireDefault(_keys); - var _classCallCheck2 = __webpack_require__(0); + while (offset < len) { + if (isHeader(data, offset)) { + if (offset + 5 < len) { + var frame = appendFrame(track, data, offset, pts, frameIndex); - var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + 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 - var _possibleConstructorReturn2 = __webpack_require__(1); - var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); + break; + } else { + // nothing found, keep looking + offset++; + } + } - var _createClass2 = __webpack_require__(3); + if (offset < len) { + aacOverFlow = data.subarray(offset, len); // logger.log(`AAC: overflow detected:${len-offset}`); + } else { + aacOverFlow = null; + } - var _createClass3 = _interopRequireDefault(_createClass2); + this.aacOverFlow = aacOverFlow; + this.aacLastPTS = stamp; + }; - var _inherits2 = __webpack_require__(2); + _proto._parseMPEGPES = function _parseMPEGPES(pes) { + var data = pes.data; + var length = data.length; + var frameIndex = 0; + var offset = 0; + var pts = pes.pts; - var _inherits3 = _interopRequireDefault(_inherits2); + while (offset < length) { + if (mpegaudio.isHeader(data, offset)) { + var frame = mpegaudio.appendFrame(this._audioTrack, data, offset, pts, frameIndex); - var _utils = __webpack_require__(5); + if (frame) { + offset += frame.length; + frameIndex++; + } else { + // logger.log('Unable to parse Mpeg audio frame'); + break; + } + } else { + // nothing found, keep looking + offset++; + } + } + }; - var _base_object = __webpack_require__(15); + _proto._parseID3PES = function _parseID3PES(pes) { + this._id3Track.samples.push(pes); + }; - var _base_object2 = _interopRequireDefault(_base_object); + return TSDemuxer; + }(); - var _events = __webpack_require__(4); + /* harmony default export */ var tsdemuxer = (tsdemuxer_TSDemuxer); +// CONCATENATED MODULE: ./src/demux/mp3demuxer.js + /** + * MP3 demuxer + */ - var _events2 = _interopRequireDefault(_events); - var _browser = __webpack_require__(14); - var _browser2 = _interopRequireDefault(_browser); - var _core_factory = __webpack_require__(150); + var mp3demuxer_MP3Demuxer = + /*#__PURE__*/ + function () { + function MP3Demuxer(observer, remuxer, config) { + this.observer = observer; + this.config = config; + this.remuxer = remuxer; + } - var _core_factory2 = _interopRequireDefault(_core_factory); + var _proto = MP3Demuxer.prototype; + + _proto.resetInitSegment = function resetInitSegment(initSegment, audioCodec, videoCodec, duration) { + this._audioTrack = { + container: 'audio/mpeg', + type: 'audio', + id: -1, + sequenceNumber: 0, + isAAC: false, + samples: [], + len: 0, + manifestCodec: audioCodec, + duration: duration, + inputTimeScale: 90000 + }; + }; - var _loader = __webpack_require__(82); + _proto.resetTimeStamp = function resetTimeStamp() {}; + + MP3Demuxer.probe = function probe(data) { + // check if data contains ID3 timestamp and MPEG sync word + var offset, length; + var id3Data = id3["default"].getID3Data(data, 0); + + if (id3Data && id3["default"].getTimeStamp(id3Data) !== undefined) { + // 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 + for (offset = id3Data.length, length = Math.min(data.length - 1, offset + 100); offset < length; offset++) { + if (mpegaudio.probe(data, offset)) { + logger["logger"].log('MPEG Audio sync word found !'); + return true; + } + } + } - var _loader2 = _interopRequireDefault(_loader); + return false; + } // feed incoming data to the front of the parsing pipeline + ; + + _proto.append = function append(data, timeOffset, contiguous, accurateTimeOffset) { + var id3Data = id3["default"].getID3Data(data, 0); + var timestamp = id3["default"].getTimeStamp(id3Data); + var pts = timestamp ? 90 * timestamp : timeOffset * 90000; + var offset = id3Data.length; + var length = data.length; + var frameIndex = 0, + stamp = 0; + var track = this._audioTrack; + var id3Samples = [{ + pts: pts, + dts: pts, + data: id3Data + }]; + + while (offset < length) { + if (mpegaudio.isHeader(data, offset)) { + var frame = mpegaudio.appendFrame(track, data, offset, pts, frameIndex); + + if (frame) { + offset += frame.length; + stamp = frame.sample.pts; + frameIndex++; + } else { + // logger.log('Unable to parse Mpeg audio frame'); + break; + } + } else if (id3["default"].isHeader(data, offset)) { + id3Data = id3["default"].getID3Data(data, offset); + id3Samples.push({ + pts: stamp, + dts: stamp, + data: id3Data + }); + offset += id3Data.length; + } else { + // nothing found, keep looking + offset++; + } + } - var _player_info = __webpack_require__(40); + this.remuxer.remux(track, { + samples: [] + }, { + samples: id3Samples, + inputTimeScale: 90000 + }, { + samples: [] + }, timeOffset, contiguous, accurateTimeOffset); + }; - var _player_info2 = _interopRequireDefault(_player_info); + _proto.destroy = function destroy() {}; - var _error_mixin = __webpack_require__(20); + return MP3Demuxer; + }(); - var _error_mixin2 = _interopRequireDefault(_error_mixin); + /* harmony default export */ var mp3demuxer = (mp3demuxer_MP3Demuxer); +// CONCATENATED MODULE: ./src/remux/aac-helper.js + /** + * 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]); + } - var _clapprZepto = __webpack_require__(6); + 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]); + } - var _clapprZepto2 = _interopRequireDefault(_clapprZepto); + break; + } - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + return null; + }; - var baseUrl = (0, _utils.currentScriptUrl)().replace(/\/[^/]+$/, ''); + return AAC; + }(); - /** - * @class Player - * @constructor - * @extends BaseObject - * @module components - * @example - * ### Using the Player - * - * Add the following script on your HTML: - * ```html - * - * - * - * ``` - * Now, create the player: - * ```html - * - *
- * - * - * ``` - */ -// Copyright 2014 Globo.com Player authors. All rights reserved. -// Use of this source code is governed by a BSD-style -// license that can be found in the LICENSE file. + /* harmony default export */ var aac_helper = (AAC); +// CONCATENATED MODULE: ./src/remux/mp4-generator.js + /** + * 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; - var Player = function (_BaseObject) { - (0, _inherits3.default)(Player, _BaseObject); - (0, _createClass3.default)(Player, [{ - key: 'loader', - set: function set(loader) { - this._loader = loader; - }, - get: function get() { - if (!this._loader) this._loader = new _loader2.default(this.options.plugins || {}, this.options.playerId); + 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)]; + } + } - return this._loader; - } + 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)); + }; - /** - * Determine if the playback has ended. - * @property ended - * @type Boolean - */ + MP4.box = function box(type) { + var payload = Array.prototype.slice.call(arguments, 1), + size = 8, + i = payload.length, + len = i, + result; // calculate the total size we need to allocate - }, { - key: 'ended', - get: function get() { - return this.core.activeContainer.ended; - } + while (i--) { + size += payload[i].byteLength; + } - /** - * Determine if the playback is having to buffer in order for - * playback to be smooth. - * (i.e if a live stream is playing smoothly, this will be false) - * @property buffering - * @type Boolean - */ + 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; + } - }, { - key: 'buffering', - get: function get() { - return this.core.activeContainer.buffering; - } + return result; + }; - /* - * determine if the player is ready. - * @property isReady - * @type {Boolean} `true` if the player is ready. ie PLAYER_READY event has fired - */ + MP4.hdlr = function hdlr(type) { + return MP4.box(MP4.types.hdlr, MP4.HDLR_TYPES[type]); + }; - }, { - key: 'isReady', - get: function get() { - return !!this._ready; - } + MP4.mdat = function mdat(data) { + return MP4.box(MP4.types.mdat, data); + }; - /** - * An events map that allows the user to add custom callbacks in player's options. - * @property eventsMapping - * @type {Object} - */ + 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])); + }; - }, { - key: 'eventsMapping', - get: function get() { - return { - onReady: _events2.default.PLAYER_READY, - onResize: _events2.default.PLAYER_RESIZE, - onPlay: _events2.default.PLAYER_PLAY, - onPause: _events2.default.PLAYER_PAUSE, - onStop: _events2.default.PLAYER_STOP, - onEnded: _events2.default.PLAYER_ENDED, - onSeek: _events2.default.PLAYER_SEEK, - onError: _events2.default.PLAYER_ERROR, - onTimeUpdate: _events2.default.PLAYER_TIMEUPDATE, - onVolumeUpdate: _events2.default.PLAYER_VOLUMEUPDATE, - onSubtitleAvailable: _events2.default.PLAYER_SUBTITLE_AVAILABLE - }; - } + MP4.mdia = function mdia(track) { + return MP4.box(MP4.types.mdia, MP4.mdhd(track.timescale, track.duration), MP4.hdlr(track.type), MP4.minf(track)); + }; - /** - * @typedef {Object} PlaybackConfig - * @prop {boolean} disableContextMenu - * disables the context menu (right click) on the video element if a HTML5Video playback is used. - * @prop {boolean} preload - * video will be preloaded according to `preload` attribute options **default**: `'metadata'` - * @prop {boolean} controls - * enabled/disables displaying controls - * @prop {boolean} crossOrigin - * enables cross-origin capability for media-resources - * @prop {boolean} playInline - * enables in-line video elements - * @prop {boolean} audioOnly - * enforce audio-only playback (when possible) - * @prop {Object} externalTracks - * pass externaly loaded track to playback - * @prop {Number} [maxBufferLength] - * The default behavior for the **HLS playback** is to keep buffering indefinitely, even on VoD. - * This replicates the behavior for progressive download, which continues buffering when pausing the video, thus making the video available for playback even on slow networks. - * To change this behavior use `maxBufferLength` where **value is in seconds**. - * @prop {Number} [maxBackBufferLength] - * After how much distance of the playhead data should be pruned from the buffer (influences memory consumption - * of adaptive media-engines like Hls.js or Shaka) - * @prop {Number} [minBufferLength] - * After how much data in the buffer at least we attempt to consume it (influences QoS-related behavior - * of adaptive media-engines like Hls.js or Shaka). If this is too low, and the available bandwidth is varying a lot - * and too close to the streamed bitrate, we may continuously hit under-runs. - * @prop {Number} [initialBandwidthEstimate] - * define an initial bandwidth "guess" (or previously stored/established value) for underlying adaptive-bitreate engines - * of adaptive playback implementations, like Hls.js or Shaka - * @prop {Number} [maxAdaptiveBitrate] - * Limits the streamed bitrate (for adaptive media-engines in underlying playback implementations) - * @prop {Object} [maxAdaptiveVideoDimensions] - * Limits the video dimensions in adaptive media-engines. Should be a literal object with `height` and `width`. - * @prop {Boolean}[enableAutomaticABR] **default**: `true` - * Allows to enable/disable automatic bitrate switching in adaptive media-engines - * @prop {String} [preferredTextLanguage] **default**: `'pt-BR'` - * Allows to set a preferred text language, that may be enabled by the media-engine if available. - * @prop {String} [preferredAudioLanguage] **default**: `'pt-BR'` - * Allows to set a preferred audio language, that may be enabled by the media-engine if available. - */ + 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 + ])); + }; - /** - * ## Player's constructor - * - * You might pass the options object to build the player. - * ```javascript - * var options = {source: "http://example.com/video.mp4", param1: "val1"}; - * var player = new Clappr.Player(options); - * ``` - * - * @method constructor - * @param {Object} options Data - * options to build a player instance - * @param {Number} [options.width] - * player's width **default**: `640` - * @param {Number} [options.height] - * player's height **default**: `360` - * @param {String} [options.parentId] - * the id of the element on the page that the player should be inserted into - * @param {Object} [options.parent] - * a reference to a dom element that the player should be inserted into - * @param {String} [options.source] - * The media source URL, or {source: <>, mimeType: <>} - * @param {Object} [options.sources] - * An array of media source URL's, or an array of {source: <>, mimeType: <>} - * @param {Boolean} [options.autoPlay] - * automatically play after page load **default**: `false` - * @param {Boolean} [options.loop] - * automatically replay after it ends **default**: `false` - * @param {Boolean} [options.chromeless] - * player acts in chromeless mode **default**: `false` - * @param {Boolean} [options.allowUserInteraction] - * whether or not the player should handle click events when in chromeless mode **default**: `false` on desktops browsers, `true` on mobile. - * @param {Boolean} [options.disableKeyboardShortcuts] - * disable keyboard shortcuts. **default**: `false`. `true` if `allowUserInteraction` is `false`. - * @param {Boolean} [options.mute] - * start the video muted **default**: `false` - * @param {String} [options.mimeType] - * add `mimeType: "application/vnd.apple.mpegurl"` if you need to use a url without extension. - * @param {Boolean} [options.actualLiveTime] - * show duration and seek time relative to actual time. - * @param {String} [options.actualLiveServerTime] - * specify server time as a string, format: "2015/11/26 06:01:03". This option is meant to be used with actualLiveTime. - * @param {Boolean} [options.persistConfig] - * persist player's settings (volume) through the same domain **default**: `true` - * @param {String} [options.preload] @deprecated - * video will be preloaded according to `preload` attribute options **default**: `'metadata'` - * @param {Number} [options.maxBufferLength] @deprecated - * the default behavior for the **HLS playback** is to keep buffering indefinitely, even on VoD. - * This replicates the behavior for progressive download, which continues buffering when pausing the video, thus making the video available for playback even on slow networks. - * To change this behavior use `maxBufferLength` where **value is in seconds**. - * @param {String} [options.gaAccount] - * enable Google Analytics events dispatch **(play/pause/stop/buffering/etc)** by adding your `gaAccount` - * @param {String} [options.gaTrackerName] - * besides `gaAccount` you can optionally, pass your favorite trackerName as `gaTrackerName` - * @param {Object} [options.mediacontrol] - * customize control bar colors, example: `mediacontrol: {seekbar: "#E113D3", buttons: "#66B2FF"}` - * @param {Boolean} [options.hideMediaControl] - * control media control auto hide **default**: `true` - * @param {Boolean} [options.hideVolumeBar] - * when embedded with width less than 320, volume bar will hide. You can force this behavior for all sizes by adding `true` **default**: `false` - * @param {String} [options.watermark] - * put `watermark: 'http://url/img.png'` on your embed parameters to automatically add watermark on your video. - * You can customize corner position by defining position parameter. Positions can be `bottom-left`, `bottom-right`, `top-left` and `top-right`. - * @param {String} [options.watermarkLink] - * `watermarkLink: 'http://example.net/'` - define URL to open when the watermark is clicked. If not provided watermark will not be clickable. - * @param {Boolean} [options.disableVideoTagContextMenu] @deprecated - * disables the context menu (right click) on the video element if a HTML5Video playback is used. - * @param {Boolean} [options.autoSeekFromUrl] - * Automatically seek to the seconds provided in the url (e.g example.com?t=100) **default**: `true` - * @param {Boolean} [options.exitFullscreenOnEnd] - * Automatically exit full screen when the media finishes. **default**: `true` - * @param {String} [options.poster] - * define a poster by adding its address `poster: 'http://url/img.png'`. It will appear after video embed, disappear on play and go back when user stops the video. - * @param {String} [options.playbackNotSupportedMessage] - * define a custom message to be displayed when a playback is not supported. - * @param {Object} [options.events] - * Specify listeners which will be registered with their corresponding player events. - * E.g. onReady -> "PLAYER_READY", onTimeUpdate -> "PLAYER_TIMEUPDATE" - * @param {PlaybackConfig} [options.playback] - * Generic `Playback` component related configuration - * @param {Boolean} [options.disableErrorScreen] - * disables the error screen plugin. - * @param {Number} [options.autoPlayTimeout] - * autoplay check timeout. - */ + 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 + */ + ; - function Player(options) { - (0, _classCallCheck3.default)(this, Player); + MP4.moov = function moov(tracks) { + var i = tracks.length, + boxes = []; - var _this = (0, _possibleConstructorReturn3.default)(this, _BaseObject.call(this, options)); + while (i--) { + boxes[i] = MP4.trak(tracks[i]); + } - var playbackDefaultOptions = { recycleVideo: true }; - var defaultOptions = { - playerId: (0, _utils.uniqueId)(''), - persistConfig: true, - width: 640, - height: 360, - baseUrl: baseUrl, - allowUserInteraction: _browser2.default.isMobile, - playback: playbackDefaultOptions - }; - _this._options = _clapprZepto2.default.extend(defaultOptions, options); - _this.options.sources = _this._normalizeSources(options); - if (!_this.options.chromeless) { - // "allowUserInteraction" cannot be false if not in chromeless mode. - _this.options.allowUserInteraction = true; - } - if (!_this.options.allowUserInteraction) { - // if user iteraction is not allowed ensure keyboard shortcuts are disabled - _this.options.disableKeyboardShortcuts = true; - } - _this._registerOptionEventListeners(_this.options.events); - _this._coreFactory = new _core_factory2.default(_this); - _this.playerInfo = _player_info2.default.getInstance(_this.options.playerId); - _this.playerInfo.currentSize = { width: options.width, height: options.height }; - _this.playerInfo.options = _this.options; - if (_this.options.parentId) _this.setParentId(_this.options.parentId);else if (_this.options.parent) _this.attachTo(_this.options.parent); - - return _this; - } + return MP4.box.apply(null, [MP4.types.moov, MP4.mvhd(tracks[0].timescale, tracks[0].duration)].concat(boxes).concat(MP4.mvex(tracks))); + }; - /** - * Specify a `parentId` to the player. - * @method setParentId - * @param {String} parentId the element parent id. - * @return {Player} itself - */ + MP4.mvex = function mvex(tracks) { + var i = tracks.length, + boxes = []; + while (i--) { + boxes[i] = MP4.trex(tracks[i]); + } - Player.prototype.setParentId = function setParentId(parentId) { - var el = document.querySelector(parentId); - if (el) this.attachTo(el); + return MP4.box.apply(null, [MP4.types.mvex].concat(boxes)); + }; - return this; - }; + 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); + }; - /** - * You can use this method to attach the player to a given element. You don't need to do this when you specify it during the player instantiation passing the `parentId` param. - * @method attachTo - * @param {Object} element a given element. - * @return {Player} itself - */ + MP4.sdtp = function sdtp(track) { + var samples = track.samples || [], + bytes = new Uint8Array(4 + samples.length), + flags, + i; // 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; + } - Player.prototype.attachTo = function attachTo(element) { - this.options.parentElement = element; - this.core = this._coreFactory.create(); - this._addEventListeners(); - return this; - }; + return MP4.box(MP4.types.sdtp, bytes); + }; - Player.prototype._addEventListeners = function _addEventListeners() { - if (!this.core.isReady) this.listenToOnce(this.core, _events2.default.CORE_READY, this._onReady);else this._onReady(); + 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)); + }; - this.listenTo(this.core.activeContainer, _events2.default.CORE_ACTIVE_CONTAINER_CHANGED, this._containerChanged); - this.listenTo(this.core, _events2.default.CORE_FULLSCREEN, this._onFullscreenChange); - this.listenTo(this.core, _events2.default.CORE_RESIZE, this._onResize); - return this; - }; + MP4.avc1 = function avc1(track) { + var sps = [], + pps = [], + i, + data, + len; // assemble the SPSs - Player.prototype._addContainerEventListeners = function _addContainerEventListeners() { - var container = this.core.activeContainer; - if (container) { - this.listenTo(container, _events2.default.CONTAINER_PLAY, this._onPlay); - this.listenTo(container, _events2.default.CONTAINER_PAUSE, this._onPause); - this.listenTo(container, _events2.default.CONTAINER_STOP, this._onStop); - this.listenTo(container, _events2.default.CONTAINER_ENDED, this._onEnded); - this.listenTo(container, _events2.default.CONTAINER_SEEK, this._onSeek); - this.listenTo(container, _events2.default.CONTAINER_ERROR, this._onError); - this.listenTo(container, _events2.default.CONTAINER_TIMEUPDATE, this._onTimeUpdate); - this.listenTo(container, _events2.default.CONTAINER_VOLUME, this._onVolumeUpdate); - this.listenTo(container, _events2.default.CONTAINER_SUBTITLE_AVAILABLE, this._onSubtitleAvailable); - } - return this; - }; + 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 - Player.prototype._registerOptionEventListeners = function _registerOptionEventListeners() { - var _this2 = this; + sps = sps.concat(Array.prototype.slice.call(data)); + } // assemble the PPSs - var newEvents = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {}; - var events = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {}; - var hasNewEvents = (0, _keys2.default)(newEvents).length > 0; - hasNewEvents && (0, _keys2.default)(events).forEach(function (userEvent) { - var eventType = _this2.eventsMapping[userEvent]; - eventType && _this2.off(eventType, events[userEvent]); - }); + 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)); + } - (0, _keys2.default)(newEvents).forEach(function (userEvent) { - var eventType = _this2.eventsMapping[userEvent]; - if (eventType) { - var eventFunction = newEvents[userEvent]; - eventFunction = typeof eventFunction === 'function' && eventFunction; - eventFunction && _this2.on(eventType, eventFunction); - } - }); - return this; - }; + 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" + width = track.width, + height = track.height, + hSpacing = track.pixelRatio[0], + 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]))); + }; - Player.prototype._containerChanged = function _containerChanged() { - this.stopListening(); - this._addEventListeners(); - }; + 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 + }; - Player.prototype._onReady = function _onReady() { - this._ready = true; - this._addContainerEventListeners(); - this.trigger(_events2.default.PLAYER_READY); - }; + 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))); + }; - Player.prototype._onFullscreenChange = function _onFullscreenChange(fullscreen) { - this.trigger(_events2.default.PLAYER_FULLSCREEN, fullscreen); - }; + 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])); + }; - Player.prototype._onVolumeUpdate = function _onVolumeUpdate(volume) { - this.trigger(_events2.default.PLAYER_VOLUMEUPDATE, volume); - }; + 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)); + } - Player.prototype._onSubtitleAvailable = function _onSubtitleAvailable() { - this.trigger(_events2.default.PLAYER_SUBTITLE_AVAILABLE); - }; + return MP4.box(MP4.types.stsd, MP4.STSD, MP4.mp4a(track)); + } else { + return MP4.box(MP4.types.stsd, MP4.STSD, MP4.avc1(track)); + } + }; - Player.prototype._onResize = function _onResize(size) { - this.trigger(_events2.default.PLAYER_RESIZE, size); - }; + MP4.tkhd = function tkhd(track) { + var id = track.id, + duration = track.duration * track.timescale, + width = track.width, + height = track.height, + upperWordDuration = Math.floor(duration / (UINT32_MAX + 1)), + 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 + ])); + }; - Player.prototype._onPlay = function _onPlay() { - this.trigger(_events2.default.PLAYER_PLAY); - }; + MP4.traf = function traf(track, baseMediaDecodeTime) { + var sampleDependencyTable = MP4.sdtp(track), + id = track.id, + upperWordBaseMediaDecodeTime = Math.floor(baseMediaDecodeTime / (UINT32_MAX + 1)), + 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])), 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)); + }; - Player.prototype._onPause = function _onPause() { - this.trigger(_events2.default.PLAYER_PAUSE); - }; + 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 + ])); + }; - Player.prototype._onStop = function _onStop() { - this.trigger(_events2.default.PLAYER_STOP, this.getCurrentTime()); - }; + MP4.trun = function trun(track, offset) { + var samples = track.samples || [], + len = samples.length, + arraylen = 12 + 16 * len, + array = new Uint8Array(arraylen), + i, + sample, + duration, + size, + flags, + 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); + } - Player.prototype._onEnded = function _onEnded() { - this.trigger(_events2.default.PLAYER_ENDED); - }; + return MP4.box(MP4.types.trun, array); + }; - Player.prototype._onSeek = function _onSeek(time) { - this.trigger(_events2.default.PLAYER_SEEK, time); - }; + MP4.initSegment = function initSegment(tracks) { + if (!MP4.types) { + MP4.init(); + } - Player.prototype._onTimeUpdate = function _onTimeUpdate(timeProgress) { - this.trigger(_events2.default.PLAYER_TIMEUPDATE, timeProgress); - }; + var movie = MP4.moov(tracks), + result; + result = new Uint8Array(MP4.FTYP.byteLength + movie.byteLength); + result.set(MP4.FTYP); + result.set(movie, MP4.FTYP.byteLength); + return result; + }; - Player.prototype._onError = function _onError(error) { - this.trigger(_events2.default.PLAYER_ERROR, error); - }; + return MP4; + }(); - Player.prototype._normalizeSources = function _normalizeSources(options) { - var sources = options.sources || (options.source !== undefined ? [options.source] : []); - return sources.length === 0 ? [{ source: '', mimeType: '' }] : sources; - }; + /* harmony default export */ var mp4_generator = (MP4); +// CONCATENATED MODULE: ./src/utils/timescale-conversion.ts + var MPEG_TS_CLOCK_FREQ_HZ = 90000; + function toTimescaleFromScale(value, destScale, srcScale, round) { + if (srcScale === void 0) { + srcScale = 1; + } - /** - * resizes the current player canvas. - * @method resize - * @param {Object} size should be a literal object with `height` and `width`. - * @return {Player} itself - * @example - * ```javascript - * player.resize({height: 360, width: 640}) - * ``` - */ + if (round === void 0) { + round = false; + } + return toTimescaleFromBase(value, destScale, 1 / srcScale); + } + function toTimescaleFromBase(value, destScale, srcBase, round) { + if (srcBase === void 0) { + srcBase = 1; + } - Player.prototype.resize = function resize(size) { - this.core.resize(size); - return this; - }; + if (round === void 0) { + round = false; + } - /** - * loads a new source. - * @method load - * @param {Array|String} sources source or sources of video. - * An array item can be a string or {source: <>, mimeType: <>} - * @param {String} mimeType a mime type, example: `'application/vnd.apple.mpegurl'` - * @param {Boolean} [autoPlay=false] whether playing should be started immediately - * @return {Player} itself - */ + var result = value * destScale * srcBase; // equivalent to `(value * scale) / (1 / base)` + return round ? Math.round(result) : result; + } + function toMsFromMpegTsClock(value, round) { + if (round === void 0) { + round = false; + } - Player.prototype.load = function load(sources, mimeType, autoPlay) { - if (autoPlay !== undefined) this.configure({ autoPlay: !!autoPlay }); + return toTimescaleFromBase(value, 1000, 1 / MPEG_TS_CLOCK_FREQ_HZ, round); + } + function toMpegTsClockFromTimescale(value, srcScale) { + if (srcScale === void 0) { + srcScale = 1; + } - this.core.load(sources, mimeType); - return this; - }; + return toTimescaleFromBase(value, MPEG_TS_CLOCK_FREQ_HZ, 1 / srcScale); + } +// CONCATENATED MODULE: ./src/remux/mp4-remuxer.js + /** + * fMP4 remuxer + */ - /** - * destroys the current player and removes it from the DOM. - * @method destroy - * @return {Player} itself - */ - Player.prototype.destroy = function destroy() { - this.stopListening(); - this.core.destroy(); - return this; - }; - /** - * Gives user consent to playback. Required by mobile device after a click event before Player.load(). - * @method consent - * @return {Player} itself - */ - Player.prototype.consent = function consent() { - this.core.getCurrentPlayback().consent(); - return this; - }; + var MAX_SILENT_FRAME_DURATION_90KHZ = toMpegTsClockFromTimescale(10); + var PTS_DTS_SHIFT_TOLERANCE_90KHZ = toMpegTsClockFromTimescale(0.2); - /** - * plays the current video (`source`). - * @method play - * @return {Player} itself - */ + var mp4_remuxer_MP4Remuxer = + /*#__PURE__*/ + function () { + function MP4Remuxer(observer, config, typeSupported, vendor) { + this.observer = observer; + this.config = config; + this.typeSupported = typeSupported; + var userAgent = navigator.userAgent; + this.isSafari = vendor && vendor.indexOf('Apple') > -1 && userAgent && !userAgent.match('CriOS'); + this.ISGenerated = false; + } + var _proto = MP4Remuxer.prototype; - Player.prototype.play = function play() { - this.core.activeContainer.play(); - return this; - }; + _proto.destroy = function destroy() {}; - /** - * pauses the current video (`source`). - * @method pause - * @return {Player} itself - */ + _proto.resetTimeStamp = function resetTimeStamp(defaultTimeStamp) { + this._initPTS = this._initDTS = defaultTimeStamp; + }; + _proto.resetInitSegment = function resetInitSegment() { + this.ISGenerated = false; + }; - Player.prototype.pause = function pause() { - this.core.activeContainer.pause(); - return this; - }; + _proto.remux = function remux(audioTrack, videoTrack, id3Track, textTrack, timeOffset, contiguous, accurateTimeOffset) { + // generate Init Segment if needed + if (!this.ISGenerated) { + this.generateIS(audioTrack, videoTrack, timeOffset); + } - /** - * stops the current video (`source`). - * @method stop - * @return {Player} itself - */ + if (this.ISGenerated) { + var nbAudioSamples = audioTrack.samples.length; + var nbVideoSamples = videoTrack.samples.length; + var audioTimeOffset = timeOffset; + var videoTimeOffset = timeOffset; + + if (nbAudioSamples && nbVideoSamples) { + // 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 audiovideoDeltaDts = (audioTrack.samples[0].pts - videoTrack.samples[0].pts) / videoTrack.inputTimeScale; + audioTimeOffset += Math.max(0, audiovideoDeltaDts); + videoTimeOffset += Math.max(0, -audiovideoDeltaDts); + } // Purposefully remuxing audio before video, so that remuxVideo can use nextAudioPts, which is + // calculated in remuxAudio. + // logger.log('nb AAC samples:' + audioTrack.samples.length); + + + if (nbAudioSamples) { + // if initSegment was generated without video samples, regenerate it again + if (!audioTrack.timescale) { + logger["logger"].warn('regenerate InitSegment as audio detected'); + this.generateIS(audioTrack, videoTrack, timeOffset); + } + var audioData = this.remuxAudio(audioTrack, audioTimeOffset, contiguous, accurateTimeOffset); // logger.log('nb AVC samples:' + videoTrack.samples.length); - Player.prototype.stop = function stop() { - this.core.activeContainer.stop(); - return this; - }; + if (nbVideoSamples) { + var audioTrackLength; - /** - * seeks the current video (`source`). For example, `player.seek(120)` will seek to second 120 (2minutes) of the current video. - * @method seek - * @param {Number} time should be a number between 0 and the video duration. - * @return {Player} itself - */ + if (audioData) { + audioTrackLength = audioData.endPTS - audioData.startPTS; + } // if initSegment was generated without video samples, regenerate it again - Player.prototype.seek = function seek(time) { - this.core.activeContainer.seek(time); - return this; - }; + if (!videoTrack.timescale) { + logger["logger"].warn('regenerate InitSegment as video detected'); + this.generateIS(audioTrack, videoTrack, timeOffset); + } - /** - * seeks the current video (`source`). For example, `player.seek(50)` will seek to the middle of the current video. - * @method seekPercentage - * @param {Number} time should be a number between 0 and 100. - * @return {Player} itself - */ + this.remuxVideo(videoTrack, videoTimeOffset, contiguous, audioTrackLength, accurateTimeOffset); + } + } else { + // logger.log('nb AVC samples:' + videoTrack.samples.length); + if (nbVideoSamples) { + var videoData = this.remuxVideo(videoTrack, videoTimeOffset, contiguous, 0, accurateTimeOffset); + if (videoData && audioTrack.codec) { + this.remuxEmptyAudio(audioTrack, audioTimeOffset, contiguous, videoData); + } + } + } + } // logger.log('nb ID3 samples:' + audioTrack.samples.length); - Player.prototype.seekPercentage = function seekPercentage(percentage) { - this.core.activeContainer.seekPercentage(percentage); - return this; - }; - /** - * mutes the current video (`source`). - * @method mute - * @return {Player} itself - */ + if (id3Track.samples.length) { + this.remuxID3(id3Track, timeOffset); + } // logger.log('nb ID3 samples:' + audioTrack.samples.length); - Player.prototype.mute = function mute() { - this._mutedVolume = this.getVolume(); - this.setVolume(0); - return this; - }; + if (textTrack.samples.length) { + this.remuxText(textTrack, timeOffset); + } // notify end of parsing - /** - * unmutes the current video (`source`). - * @method unmute - * @return {Player} itself - */ + this.observer.trigger(events["default"].FRAG_PARSED); + }; - Player.prototype.unmute = function unmute() { - this.setVolume(typeof this._mutedVolume === 'number' ? this._mutedVolume : 100); - this._mutedVolume = null; - return this; - }; + _proto.generateIS = function generateIS(audioTrack, videoTrack, timeOffset) { + var observer = this.observer, + audioSamples = audioTrack.samples, + videoSamples = videoTrack.samples, + typeSupported = this.typeSupported, + container = 'audio/mp4', + tracks = {}, + data = { + tracks: tracks + }, + computePTSDTS = this._initPTS === undefined, + initPTS, + initDTS; + + if (computePTSDTS) { + initPTS = initDTS = Infinity; + } - /** - * checks if the player is playing. - * @method isPlaying - * @return {Boolean} `true` if the current source is playing, otherwise `false` - */ + 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; + logger["logger"].log("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 = { + container: container, + codec: audioTrack.codec, + initSegment: !audioTrack.isAAC && typeSupported.mpeg ? new Uint8Array() : mp4_generator.initSegment([audioTrack]), + metadata: { + channelCount: audioTrack.channelCount + } + }; - Player.prototype.isPlaying = function isPlaying() { - return this.core.activeContainer.isPlaying(); - }; + if (computePTSDTS) { + // remember first PTS of this demuxing context. for audio, PTS = DTS + initPTS = initDTS = audioSamples[0].pts - audioTrack.inputTimeScale * timeOffset; + } + } - /** - * returns `true` if DVR is enable otherwise `false`. - * @method isDvrEnabled - * @return {Boolean} - */ + 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 + var inputTimeScale = videoTrack.inputTimeScale; + videoTrack.timescale = inputTimeScale; + tracks.video = { + container: 'video/mp4', + codec: videoTrack.codec, + initSegment: mp4_generator.initSegment([videoTrack]), + metadata: { + width: videoTrack.width, + height: videoTrack.height + } + }; + if (computePTSDTS) { + initPTS = Math.min(initPTS, videoSamples[0].pts - inputTimeScale * timeOffset); + initDTS = Math.min(initDTS, videoSamples[0].dts - inputTimeScale * timeOffset); + this.observer.trigger(events["default"].INIT_PTS_FOUND, { + initPTS: initPTS + }); + } + } - Player.prototype.isDvrEnabled = function isDvrEnabled() { - return this.core.activeContainer.isDvrEnabled(); - }; + if (Object.keys(tracks).length) { + observer.trigger(events["default"].FRAG_PARSING_INIT_SEGMENT, data); + this.ISGenerated = true; - /** - * returns `true` if DVR is in use otherwise `false`. - * @method isDvrInUse - * @return {Boolean} - */ + if (computePTSDTS) { + this._initPTS = initPTS; + this._initDTS = initDTS; + } + } else { + observer.trigger(events["default"].ERROR, { + type: errors["ErrorTypes"].MEDIA_ERROR, + details: errors["ErrorDetails"].FRAG_PARSING_ERROR, + fatal: false, + reason: 'no audio/video samples found' + }); + } + }; + _proto.remuxVideo = function remuxVideo(track, timeOffset, contiguous, audioTrackLength, accurateTimeOffset) { + var offset = 8; + var mp4SampleDuration; + var mdat; + var moof; + var firstPTS; + var firstDTS; + var lastPTS; + var lastDTS; + var timeScale = track.timescale; + var inputSamples = track.samples; + var outputSamples = []; + var nbSamples = inputSamples.length; + var ptsNormalize = this._PTSNormalize; + var initPTS = this._initPTS; // if parsed fragment is contiguous with last one, let's use last DTS value as reference + + var nextAvcDts = this.nextAvcDts; + var isSafari = this.isSafari; + + if (nbSamples === 0) { + return; + } // Safari does not like overlapping DTS on consecutive fragments. let's use nextAvcDts to overcome this if fragments are consecutive - Player.prototype.isDvrInUse = function isDvrInUse() { - return this.core.activeContainer.isDvrInUse(); - }; - /** - * enables to configure a player after its creation - * @method configure - * @param {Object} options all the options to change in form of a javascript object - * @return {Player} itself - */ + if (isSafari) { + // 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 200 ms PTS gaps (timeScale/5) + contiguous |= inputSamples.length && nextAvcDts && (accurateTimeOffset && Math.abs(timeOffset - nextAvcDts / timeScale) < 0.1 || Math.abs(inputSamples[0].pts - nextAvcDts - initPTS) < timeScale / 5); + } + if (!contiguous) { + // if not contiguous, let's use target timeOffset + nextAvcDts = timeOffset * timeScale; + } // 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 - Player.prototype.configure = function configure() { - var options = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {}; - this._registerOptionEventListeners(options.events, this.options.events); - this.core.configure(options); - return this; - }; + inputSamples.forEach(function (sample) { + sample.pts = ptsNormalize(sample.pts - initPTS, nextAvcDts); + sample.dts = ptsNormalize(sample.dts - initPTS, nextAvcDts); + }); // sort video samples by DTS then PTS then demux id order - /** - * get a plugin by its name. - * @method getPlugin - * @param {String} name of the plugin. - * @return {Object} the plugin instance - * @example - * ```javascript - * var poster = player.getPlugin('poster'); - * poster.hidePlayButton(); - * ``` - */ + inputSamples.sort(function (a, b) { + var deltadts = a.dts - b.dts; + var deltapts = a.pts - b.pts; + return deltadts || deltapts || a.id - b.id; + }); // handle broken streams with PTS < DTS, tolerance up 0.2 seconds + var PTSDTSshift = inputSamples.reduce(function (prev, curr) { + return Math.max(Math.min(prev, curr.pts - curr.dts), -1 * PTS_DTS_SHIFT_TOLERANCE_90KHZ); + }, 0); - Player.prototype.getPlugin = function getPlugin(name) { - var plugins = this.core.plugins.concat(this.core.activeContainer.plugins); - return plugins.filter(function (plugin) { - return plugin.name === name; - })[0]; - }; + if (PTSDTSshift < 0) { + logger["logger"].warn("PTS < DTS detected in video samples, shifting DTS by " + toMsFromMpegTsClock(PTSDTSshift, true) + " ms to overcome this issue"); - /** - * the current time in seconds. - * @method getCurrentTime - * @return {Number} current time (in seconds) of the current source - */ + for (var i = 0; i < inputSamples.length; i++) { + inputSamples[i].dts += PTSDTSshift; + } + } // compute first DTS and last DTS, normalize them against reference value - Player.prototype.getCurrentTime = function getCurrentTime() { - return this.core.activeContainer.getCurrentTime(); - }; + var sample = inputSamples[0]; + firstDTS = Math.max(sample.dts, 0); + firstPTS = Math.max(sample.pts, 0); // check timestamp continuity accross consecutive fragments (this is to remove inter-fragment gap/hole) - /** - * The time that "0" now represents relative to when playback started. - * For a stream with a sliding window this will increase as content is - * removed from the beginning. - * @method getStartTimeOffset - * @return {Number} time (in seconds) that time "0" represents. - */ + var delta = firstDTS - nextAvcDts; // if fragment are contiguous, detect hole/overlapping between fragments + if (contiguous) { + if (delta) { + if (delta > 1) { + logger["logger"].log("AVC: " + toMsFromMpegTsClock(delta, true) + " ms hole between fragments detected,filling it"); + } else if (delta < -1) { + logger["logger"].log("AVC: " + toMsFromMpegTsClock(-delta, true) + " ms overlapping between fragments detected"); + } // remove hole/gap : set DTS to next expected DTS - Player.prototype.getStartTimeOffset = function getStartTimeOffset() { - return this.core.activeContainer.getStartTimeOffset(); - }; - /** - * the duration time in seconds. - * @method getDuration - * @return {Number} duration time (in seconds) of the current source - */ + firstDTS = nextAvcDts; + inputSamples[0].dts = firstDTS; // offset PTS as well, ensure that PTS is smaller or equal than new DTS + firstPTS = Math.max(firstPTS - delta, nextAvcDts); + inputSamples[0].pts = firstPTS; + logger["logger"].log("Video: PTS/DTS adjusted: " + toMsFromMpegTsClock(firstPTS, true) + "/" + toMsFromMpegTsClock(firstDTS, true) + ", delta: " + toMsFromMpegTsClock(delta, true) + " ms"); + } + } // compute lastPTS/lastDTS - Player.prototype.getDuration = function getDuration() { - return this.core.activeContainer.getDuration(); - }; - return Player; - }(_base_object2.default); + sample = inputSamples[inputSamples.length - 1]; + lastDTS = Math.max(sample.dts, 0); + lastPTS = Math.max(sample.pts, 0, lastDTS); // 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. - exports.default = Player; + if (isSafari) { + mp4SampleDuration = Math.round((lastDTS - firstDTS) / (inputSamples.length - 1)); + } + var nbNalu = 0, + naluLen = 0; - (0, _assign2.default)(Player.prototype, _error_mixin2.default); - module.exports = exports['default']; + for (var _i = 0; _i < nbSamples; _i++) { + // compute total/avc sample length and nb of NAL units + var _sample = inputSamples[_i], + units = _sample.units, + nbUnits = units.length, + sampleLen = 0; - /***/ }), - /* 102 */ - /***/ (function(module, exports, __webpack_require__) { + for (var j = 0; j < nbUnits; j++) { + sampleLen += units[j].data.length; + } - __webpack_require__(103); - module.exports = __webpack_require__(11).Object.assign; + naluLen += sampleLen; + nbNalu += nbUnits; + _sample.length = sampleLen; // normalize PTS/DTS - /***/ }), - /* 103 */ - /***/ (function(module, exports, __webpack_require__) { + if (isSafari) { + // sample DTS is computed using a constant decoding offset (mp4SampleDuration) between samples + _sample.dts = firstDTS + _i * mp4SampleDuration; + } else { + // ensure sample monotonic DTS + _sample.dts = Math.max(_sample.dts, firstDTS); + } // ensure that computed value is greater or equal than sample DTS -// 19.1.3.1 Object.assign(target, source) - var $export = __webpack_require__(16); - $export($export.S + $export.F, 'Object', {assign: __webpack_require__(105)}); + _sample.pts = Math.max(_sample.pts, _sample.dts); + } + /* concatenate the video data and construct the mdat in place + (need 8 more bytes to fill length and mpdat type) */ - /***/ }), - /* 104 */ - /***/ (function(module, exports) { - module.exports = function(it){ - if(typeof it != 'function')throw TypeError(it + ' is not a function!'); - return it; - }; + var mdatSize = naluLen + 4 * nbNalu + 8; - /***/ }), - /* 105 */ - /***/ (function(module, exports, __webpack_require__) { + try { + mdat = new Uint8Array(mdatSize); + } catch (err) { + this.observer.trigger(events["default"].ERROR, { + type: errors["ErrorTypes"].MUX_ERROR, + details: errors["ErrorDetails"].REMUX_ALLOC_ERROR, + fatal: false, + bytes: mdatSize, + reason: "fail allocating video mdat " + mdatSize + }); + return; + } - "use strict"; + var view = new DataView(mdat.buffer); + view.setUint32(0, mdatSize); + mdat.set(mp4_generator.types.mdat, 4); + + for (var _i2 = 0; _i2 < nbSamples; _i2++) { + var avcSample = inputSamples[_i2], + avcSampleUnits = avcSample.units, + mp4SampleLength = 0, + compositionTimeOffset = void 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], + unitData = unit.data, + unitDataLen = unit.data.byteLength; + view.setUint32(offset, unitDataLen); + offset += 4; + mdat.set(unitData, offset); + offset += unitDataLen; + mp4SampleLength += 4 + unitDataLen; + } -// 19.1.2.1 Object.assign(target, source, ...) - var getKeys = __webpack_require__(28) - , gOPS = __webpack_require__(52) - , pIE = __webpack_require__(37) - , toObject = __webpack_require__(38) - , IObject = __webpack_require__(68) - , $assign = Object.assign; + if (!isSafari) { + // expected sample duration is the Decoding Timestamp diff of consecutive samples + if (_i2 < nbSamples - 1) { + mp4SampleDuration = inputSamples[_i2 + 1].dts - avcSample.dts; + } else { + var config = this.config, + lastFrameDuration = avcSample.dts - inputSamples[_i2 > 0 ? _i2 - 1 : _i2].dts; + + if (config.stretchShortVideoTrack) { + // 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 maxBufferHole = config.maxBufferHole, + gapTolerance = Math.floor(maxBufferHole * timeScale), + deltaToFrameEnd = (audioTrackLength ? firstPTS + 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; + } -// should work with symbols and should have deterministic property order (V8 bug) - module.exports = !$assign || __webpack_require__(27)(function(){ - var A = {} - , B = {} - , S = Symbol() - , K = 'abcdefghijklmnopqrst'; - A[S] = 7; - K.split('').forEach(function(k){ B[k] = k; }); - return $assign({}, A)[S] != 7 || Object.keys($assign({}, B)).join('') != K; - }) ? function assign(target, source){ // eslint-disable-line no-unused-vars - var T = toObject(target) - , aLen = arguments.length - , index = 1 - , getSymbols = gOPS.f - , isEnum = pIE.f; - while(aLen > index){ - var S = IObject(arguments[index++]) - , keys = getSymbols ? getKeys(S).concat(getSymbols(S)) : getKeys(S) - , length = keys.length - , j = 0 - , key; - while(length > j)if(isEnum.call(S, key = keys[j++]))T[key] = S[key]; - } return T; - } : $assign; + logger["logger"].log("It is approximately " + toMsFromMpegTsClock(deltaToFrameEnd, false) + " ms to the next segment; using duration " + toMsFromMpegTsClock(mp4SampleDuration, false) + " ms for the last video frame."); + } else { + mp4SampleDuration = lastFrameDuration; + } + } else { + mp4SampleDuration = lastFrameDuration; + } + } - /***/ }), - /* 106 */ - /***/ (function(module, exports, __webpack_require__) { + compositionTimeOffset = Math.round(avcSample.pts - avcSample.dts); + } else { + compositionTimeOffset = Math.max(0, mp4SampleDuration * Math.round((avcSample.pts - avcSample.dts) / mp4SampleDuration)); + } // console.log('PTS/DTS/initDTS/normPTS/normDTS/relative PTS : ${avcSample.pts}/${avcSample.dts}/${initDTS}/${ptsnorm}/${dtsnorm}/${(avcSample.pts/4294967296).toFixed(3)}'); + + + outputSamples.push({ + size: mp4SampleLength, + // constant duration + duration: mp4SampleDuration, + cts: compositionTimeOffset, + flags: { + isLeading: 0, + isDependedOn: 0, + hasRedundancy: 0, + degradPrio: 0, + dependsOn: avcSample.key ? 2 : 1, + isNonSync: avcSample.key ? 0 : 1 + } + }); + } // next AVC sample DTS should be equal to last sample DTS + last sample duration (in PES timescale) -// false -> Array#indexOf -// true -> Array#includes - var toIObject = __webpack_require__(19) - , toLength = __webpack_require__(69) - , toIndex = __webpack_require__(107); - module.exports = function(IS_INCLUDES){ - return function($this, el, fromIndex){ - var O = toIObject($this) - , length = toLength(O.length) - , index = toIndex(fromIndex, length) - , value; - // Array#includes uses SameValueZero equality algorithm - if(IS_INCLUDES && el != el)while(length > index){ - value = O[index++]; - if(value != value)return true; - // Array#toIndex ignores holes, Array#includes - not - } else for(;length > index; index++)if(IS_INCLUDES || index in O){ - if(O[index] === el)return IS_INCLUDES || index || 0; - } return !IS_INCLUDES && -1; - }; - }; - /***/ }), - /* 107 */ - /***/ (function(module, exports, __webpack_require__) { + this.nextAvcDts = lastDTS + mp4SampleDuration; + var dropped = track.dropped; + track.nbNalu = 0; + track.dropped = 0; - var toInteger = __webpack_require__(48) - , max = Math.max - , min = Math.min; - module.exports = function(index, length){ - index = toInteger(index); - return index < 0 ? max(index + length, 0) : min(index, length); - }; + if (outputSamples.length && navigator.userAgent.toLowerCase().indexOf('chrome') > -1) { + var flags = outputSamples[0].flags; // chrome workaround, mark first sample as being a Random Access Point to avoid sourcebuffer append issue + // https://code.google.com/p/chromium/issues/detail?id=229412 - /***/ }), - /* 108 */ - /***/ (function(module, exports, __webpack_require__) { + flags.dependsOn = 2; + flags.isNonSync = 0; + } - __webpack_require__(109); - module.exports = __webpack_require__(11).Object.keys; + track.samples = outputSamples; + moof = mp4_generator.moof(track.sequenceNumber++, firstDTS, track); + track.samples = []; + var data = { + data1: moof, + data2: mdat, + startPTS: firstPTS / timeScale, + endPTS: (lastPTS + mp4SampleDuration) / timeScale, + startDTS: firstDTS / timeScale, + endDTS: this.nextAvcDts / timeScale, + type: 'video', + hasAudio: false, + hasVideo: true, + nb: outputSamples.length, + dropped: dropped + }; + this.observer.trigger(events["default"].FRAG_PARSING_DATA, data); + return data; + }; - /***/ }), - /* 109 */ - /***/ (function(module, exports, __webpack_require__) { + _proto.remuxAudio = function remuxAudio(track, timeOffset, contiguous, accurateTimeOffset) { + var inputTimeScale = track.inputTimeScale; + var mp4timeScale = track.timescale; + var scaleFactor = inputTimeScale / mp4timeScale; + var mp4SampleDuration = track.isAAC ? 1024 : 1152; + var inputSampleDuration = mp4SampleDuration * scaleFactor; + var ptsNormalize = this._PTSNormalize; + var initPTS = this._initPTS; + var rawMPEG = !track.isAAC && this.typeSupported.mpeg; + var mp4Sample; + var fillFrame; + var mdat; + var moof; + var firstPTS; + var lastPTS; + var offset = rawMPEG ? 0 : 8; + var inputSamples = track.samples; + var outputSamples = []; + var nextAudioPts = this.nextAudioPts; // 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 + + contiguous |= inputSamples.length && nextAudioPts && (accurateTimeOffset && Math.abs(timeOffset - nextAudioPts / inputTimeScale) < 0.1 || Math.abs(inputSamples[0].pts - nextAudioPts - initPTS) < 20 * inputSampleDuration); // compute normalized PTS + + inputSamples.forEach(function (sample) { + sample.pts = sample.dts = ptsNormalize(sample.pts - initPTS, timeOffset * inputTimeScale); + }); // 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 === 0) { + return; + } -// 19.1.2.14 Object.keys(O) - var toObject = __webpack_require__(38) - , $keys = __webpack_require__(28); + if (!contiguous) { + if (!accurateTimeOffset) { + // if frag are mot contiguous and if we cant trust time offset, let's use first sample PTS as next audio PTS + nextAudioPts = inputSamples[0].pts; + } else { + // if timeOffset is accurate, let's use it as predicted next audio PTS + nextAudioPts = timeOffset * inputTimeScale; + } + } // 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], + delta; + var pts = sample.pts; + delta = pts - nextPts; // If we're overlapping by more than a duration, drop this sample + + if (delta <= -maxAudioFramesDrift * inputSampleDuration) { + logger["logger"].warn("Dropping 1 audio frame @ " + toMsFromMpegTsClock(nextPts, true) + " ms due to " + toMsFromMpegTsClock(delta, true) + " ms overlap."); + inputSamples.splice(i, 1); // Don't touch nextPtsNorm or 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 + else if (delta >= maxAudioFramesDrift * inputSampleDuration && delta < MAX_SILENT_FRAME_DURATION_90KHZ && nextPts) { + var missing = Math.round(delta / inputSampleDuration); + logger["logger"].warn("Injecting " + missing + " audio frames @ " + toMsFromMpegTsClock(nextPts, true) + " ms due to " + toMsFromMpegTsClock(nextPts, true) + " ms gap."); + + for (var j = 0; j < missing; j++) { + var newStamp = Math.max(nextPts, 0); + fillFrame = aac_helper.getSilentFrame(track.manifestCodec || track.codec, track.channelCount); + + if (!fillFrame) { + logger["logger"].log('Unable to get silent frame for given audio codec; duplicating last frame instead.'); + fillFrame = sample.unit.subarray(); + } - __webpack_require__(70)('keys', function(){ - return function keys(it){ - return $keys(toObject(it)); - }; - }); + inputSamples.splice(i, 0, { + unit: fillFrame, + pts: newStamp, + dts: newStamp + }); + nextPts += inputSampleDuration; + i++; + } // Adjust sample to next expected pts - /***/ }), - /* 110 */ - /***/ (function(module, exports, __webpack_require__) { - module.exports = { "default": __webpack_require__(111), __esModule: true }; + sample.pts = sample.dts = nextPts; + nextPts += inputSampleDuration; + i++; + } else { + // Otherwise, just adjust pts + if (Math.abs(delta) > 0.1 * inputSampleDuration) {// logger.log(`Invalid frame delta ${Math.round(delta + inputSampleDuration)} at PTS ${Math.round(pts / 90)} (should be ${Math.round(inputSampleDuration)}).`); + } - /***/ }), - /* 111 */ - /***/ (function(module, exports, __webpack_require__) { + sample.pts = sample.dts = nextPts; + nextPts += inputSampleDuration; + i++; + } + } + } // compute mdat size, as we eventually filtered/added some samples - __webpack_require__(71); - __webpack_require__(117); - module.exports = __webpack_require__(57).f('iterator'); - /***/ }), - /* 112 */ - /***/ (function(module, exports, __webpack_require__) { + var nbSamples = inputSamples.length; + var mdatSize = 0; - var toInteger = __webpack_require__(48) - , defined = __webpack_require__(47); -// true -> String#at -// false -> String#codePointAt - module.exports = function(TO_STRING){ - return function(that, pos){ - var s = String(defined(that)) - , i = toInteger(pos) - , l = s.length - , a, b; - if(i < 0 || i >= l)return TO_STRING ? '' : undefined; - a = s.charCodeAt(i); - return a < 0xd800 || a > 0xdbff || i + 1 === l || (b = s.charCodeAt(i + 1)) < 0xdc00 || b > 0xdfff - ? TO_STRING ? s.charAt(i) : a - : TO_STRING ? s.slice(i, i + 2) : (a - 0xd800 << 10) + (b - 0xdc00) + 0x10000; - }; - }; + while (nbSamples--) { + mdatSize += inputSamples[nbSamples].unit.byteLength; + } - /***/ }), - /* 113 */ - /***/ (function(module, exports, __webpack_require__) { + for (var _j2 = 0, _nbSamples = inputSamples.length; _j2 < _nbSamples; _j2++) { + var audioSample = inputSamples[_j2]; + var unit = audioSample.unit; + var _pts = audioSample.pts; // logger.log(`Audio/PTS:${toMsFromMpegTsClock(pts, true)}`); + // if not first sample - "use strict"; + if (lastPTS !== undefined) { + mp4Sample.duration = Math.round((_pts - lastPTS) / scaleFactor); + } else { + var _delta = _pts - nextAudioPts; - var create = __webpack_require__(55) - , descriptor = __webpack_require__(33) - , setToStringTag = __webpack_require__(56) - , IteratorPrototype = {}; + 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) -// 25.1.2.1.1 %IteratorPrototype%[@@iterator]() - __webpack_require__(25)(IteratorPrototype, __webpack_require__(13)('iterator'), function(){ return this; }); + if (contiguous && track.isAAC) { + // log delta + if (_delta) { + if (_delta > 0 && _delta < MAX_SILENT_FRAME_DURATION_90KHZ) { + // Q: why do we have to round here, shouldn't this always result in an integer if timestamps are correct, + // and if not, shouldn't we actually Math.ceil() instead? + numMissingFrames = Math.round((_pts - nextAudioPts) / inputSampleDuration); + logger["logger"].log(toMsFromMpegTsClock(_delta, true) + " ms hole between AAC samples detected,filling it"); - module.exports = function(Constructor, NAME, next){ - Constructor.prototype = create(IteratorPrototype, {next: descriptor(1, next)}); - setToStringTag(Constructor, NAME + ' Iterator'); - }; + if (numMissingFrames > 0) { + fillFrame = aac_helper.getSilentFrame(track.manifestCodec || track.codec, track.channelCount); - /***/ }), - /* 114 */ - /***/ (function(module, exports, __webpack_require__) { + if (!fillFrame) { + fillFrame = unit.subarray(); + } - var dP = __webpack_require__(18) - , anObject = __webpack_require__(26) - , getKeys = __webpack_require__(28); + mdatSize += numMissingFrames * fillFrame.length; + } // if we have frame overlap, overlapping for more than half a frame duraion - module.exports = __webpack_require__(21) ? Object.defineProperties : function defineProperties(O, Properties){ - anObject(O); - var keys = getKeys(Properties) - , length = keys.length - , i = 0 - , P; - while(length > i)dP.f(O, P = keys[i++], Properties[P]); - return O; - }; + } else if (_delta < -12) { + // drop overlapping audio frames... browser will deal with it + logger["logger"].log("drop overlapping AAC sample, expected/parsed/delta: " + toMsFromMpegTsClock(nextAudioPts, true) + " ms / " + toMsFromMpegTsClock(_pts, true) + " ms / " + toMsFromMpegTsClock(-_delta, true) + " ms"); + mdatSize -= unit.byteLength; + continue; + } // set PTS/DTS to expected PTS/DTS - /***/ }), - /* 115 */ - /***/ (function(module, exports, __webpack_require__) { - module.exports = __webpack_require__(17).document && document.documentElement; + _pts = nextAudioPts; + } + } // remember first PTS of our audioSamples - /***/ }), - /* 116 */ - /***/ (function(module, exports, __webpack_require__) { -// 19.1.2.9 / 15.2.3.2 Object.getPrototypeOf(O) - var has = __webpack_require__(22) - , toObject = __webpack_require__(38) - , IE_PROTO = __webpack_require__(49)('IE_PROTO') - , ObjectProto = Object.prototype; - - module.exports = Object.getPrototypeOf || function(O){ - O = toObject(O); - if(has(O, IE_PROTO))return O[IE_PROTO]; - if(typeof O.constructor == 'function' && O instanceof O.constructor){ - return O.constructor.prototype; - } return O instanceof Object ? ObjectProto : null; - }; - - /***/ }), - /* 117 */ - /***/ (function(module, exports, __webpack_require__) { - - __webpack_require__(118); - var global = __webpack_require__(17) - , hide = __webpack_require__(25) - , Iterators = __webpack_require__(34) - , TO_STRING_TAG = __webpack_require__(13)('toStringTag'); - - for(var collections = ['NodeList', 'DOMTokenList', 'MediaList', 'StyleSheetList', 'CSSRuleList'], i = 0; i < 5; i++){ - var NAME = collections[i] - , Collection = global[NAME] - , proto = Collection && Collection.prototype; - if(proto && !proto[TO_STRING_TAG])hide(proto, TO_STRING_TAG, NAME); - Iterators[NAME] = Iterators.Array; - } - - /***/ }), - /* 118 */ - /***/ (function(module, exports, __webpack_require__) { - - "use strict"; - - var addToUnscopables = __webpack_require__(119) - , step = __webpack_require__(120) - , Iterators = __webpack_require__(34) - , toIObject = __webpack_require__(19); + firstPTS = _pts; -// 22.1.3.4 Array.prototype.entries() -// 22.1.3.13 Array.prototype.keys() -// 22.1.3.29 Array.prototype.values() -// 22.1.3.30 Array.prototype[@@iterator]() - module.exports = __webpack_require__(72)(Array, 'Array', function(iterated, kind){ - this._t = toIObject(iterated); // target - this._i = 0; // next index - this._k = kind; // kind -// 22.1.5.2.1 %ArrayIteratorPrototype%.next() - }, function(){ - var O = this._t - , kind = this._k - , index = this._i++; - if(!O || index >= O.length){ - this._t = undefined; - return step(1); - } - if(kind == 'keys' )return step(0, index); - if(kind == 'values')return step(0, O[index]); - return step(0, [index, O[index]]); - }, 'values'); + if (mdatSize > 0) { + mdatSize += offset; -// argumentsList[@@iterator] is %ArrayProto_values% (9.4.4.6, 9.4.4.7) - Iterators.Arguments = Iterators.Array; + try { + mdat = new Uint8Array(mdatSize); + } catch (err) { + this.observer.trigger(events["default"].ERROR, { + type: errors["ErrorTypes"].MUX_ERROR, + details: errors["ErrorDetails"].REMUX_ALLOC_ERROR, + fatal: false, + bytes: mdatSize, + reason: "fail allocating audio mdat " + mdatSize + }); + return; + } - addToUnscopables('keys'); - addToUnscopables('values'); - addToUnscopables('entries'); + if (!rawMPEG) { + var view = new DataView(mdat.buffer); + view.setUint32(0, mdatSize); + mdat.set(mp4_generator.types.mdat, 4); + } + } else { + // no audio samples + return; + } - /***/ }), - /* 119 */ - /***/ (function(module, exports) { + for (var _i3 = 0; _i3 < numMissingFrames; _i3++) { + fillFrame = aac_helper.getSilentFrame(track.manifestCodec || track.codec, track.channelCount); - module.exports = function(){ /* empty */ }; + if (!fillFrame) { + logger["logger"].log('Unable to get silent frame for given audio codec; duplicating this frame instead.'); + fillFrame = unit.subarray(); + } - /***/ }), - /* 120 */ - /***/ (function(module, exports) { + mdat.set(fillFrame, offset); + offset += fillFrame.byteLength; + mp4Sample = { + size: fillFrame.byteLength, + cts: 0, + duration: 1024, + flags: { + isLeading: 0, + isDependedOn: 0, + hasRedundancy: 0, + degradPrio: 0, + dependsOn: 1 + } + }; + outputSamples.push(mp4Sample); + } + } - module.exports = function(done, value){ - return {value: value, done: !!done}; - }; + mdat.set(unit, offset); + var unitLen = unit.byteLength; + offset += unitLen; // console.log('PTS/DTS/initDTS/normPTS/normDTS/relative PTS : ${audioSample.pts}/${audioSample.dts}/${initDTS}/${ptsnorm}/${dtsnorm}/${(audioSample.pts/4294967296).toFixed(3)}'); + + mp4Sample = { + size: unitLen, + cts: 0, + duration: 0, + flags: { + isLeading: 0, + isDependedOn: 0, + hasRedundancy: 0, + degradPrio: 0, + dependsOn: 1 + } + }; + outputSamples.push(mp4Sample); + lastPTS = _pts; + } - /***/ }), - /* 121 */ - /***/ (function(module, exports, __webpack_require__) { + var lastSampleDuration = 0; + nbSamples = outputSamples.length; // set last sample duration as being identical to previous sample - module.exports = { "default": __webpack_require__(122), __esModule: true }; + if (nbSamples >= 2) { + lastSampleDuration = outputSamples[nbSamples - 2].duration; + mp4Sample.duration = lastSampleDuration; + } - /***/ }), - /* 122 */ - /***/ (function(module, exports, __webpack_require__) { + if (nbSamples) { + // next audio sample PTS should be equal to last sample PTS + duration + this.nextAudioPts = nextAudioPts = lastPTS + scaleFactor * lastSampleDuration; // logger.log('Audio/PTS/PTSend:' + audioSample.pts.toFixed(0) + '/' + this.nextAacDts.toFixed(0)); - __webpack_require__(123); - __webpack_require__(129); - __webpack_require__(130); - __webpack_require__(131); - module.exports = __webpack_require__(11).Symbol; + track.samples = outputSamples; - /***/ }), - /* 123 */ - /***/ (function(module, exports, __webpack_require__) { + if (rawMPEG) { + moof = new Uint8Array(); + } else { + moof = mp4_generator.moof(track.sequenceNumber++, firstPTS / scaleFactor, track); + } - "use strict"; + track.samples = []; + var start = firstPTS / inputTimeScale; + var end = nextAudioPts / inputTimeScale; + var audioData = { + data1: moof, + data2: mdat, + startPTS: start, + endPTS: end, + startDTS: start, + endDTS: end, + type: 'audio', + hasAudio: true, + hasVideo: false, + nb: nbSamples + }; + this.observer.trigger(events["default"].FRAG_PARSING_DATA, audioData); + return audioData; + } -// ECMAScript 6 symbols shim - var global = __webpack_require__(17) - , has = __webpack_require__(22) - , DESCRIPTORS = __webpack_require__(21) - , $export = __webpack_require__(16) - , redefine = __webpack_require__(73) - , META = __webpack_require__(124).KEY - , $fails = __webpack_require__(27) - , shared = __webpack_require__(50) - , setToStringTag = __webpack_require__(56) - , uid = __webpack_require__(36) - , wks = __webpack_require__(13) - , wksExt = __webpack_require__(57) - , wksDefine = __webpack_require__(58) - , keyOf = __webpack_require__(125) - , enumKeys = __webpack_require__(126) - , isArray = __webpack_require__(127) - , anObject = __webpack_require__(26) - , toIObject = __webpack_require__(19) - , toPrimitive = __webpack_require__(45) - , createDesc = __webpack_require__(33) - , _create = __webpack_require__(55) - , gOPNExt = __webpack_require__(128) - , $GOPD = __webpack_require__(59) - , $DP = __webpack_require__(18) - , $keys = __webpack_require__(28) - , gOPD = $GOPD.f - , dP = $DP.f - , gOPN = gOPNExt.f - , $Symbol = global.Symbol - , $JSON = global.JSON - , _stringify = $JSON && $JSON.stringify - , PROTOTYPE = 'prototype' - , HIDDEN = wks('_hidden') - , TO_PRIMITIVE = wks('toPrimitive') - , isEnum = {}.propertyIsEnumerable - , SymbolRegistry = shared('symbol-registry') - , AllSymbols = shared('symbols') - , OPSymbols = shared('op-symbols') - , ObjectProto = Object[PROTOTYPE] - , USE_NATIVE = typeof $Symbol == 'function' - , QObject = global.QObject; -// Don't use setters in Qt Script, https://github.com/zloirock/core-js/issues/173 - var setter = !QObject || !QObject[PROTOTYPE] || !QObject[PROTOTYPE].findChild; + return null; + }; -// fallback for old Android, https://code.google.com/p/v8/issues/detail?id=687 - var setSymbolDesc = DESCRIPTORS && $fails(function(){ - return _create(dP({}, 'a', { - get: function(){ return dP(this, 'a', {value: 7}).a; } - })).a != 7; - }) ? function(it, key, D){ - var protoDesc = gOPD(ObjectProto, key); - if(protoDesc)delete ObjectProto[key]; - dP(it, key, D); - if(protoDesc && it !== ObjectProto)dP(ObjectProto, key, protoDesc); - } : dP; - - var wrap = function(tag){ - var sym = AllSymbols[tag] = _create($Symbol[PROTOTYPE]); - sym._k = tag; - return sym; - }; - - var isSymbol = USE_NATIVE && typeof $Symbol.iterator == 'symbol' ? function(it){ - return typeof it == 'symbol'; - } : function(it){ - return it instanceof $Symbol; - }; - - var $defineProperty = function defineProperty(it, key, D){ - if(it === ObjectProto)$defineProperty(OPSymbols, key, D); - anObject(it); - key = toPrimitive(key, true); - anObject(D); - if(has(AllSymbols, key)){ - if(!D.enumerable){ - if(!has(it, HIDDEN))dP(it, HIDDEN, createDesc(1, {})); - it[HIDDEN][key] = true; - } else { - if(has(it, HIDDEN) && it[HIDDEN][key])it[HIDDEN][key] = false; - D = _create(D, {enumerable: createDesc(0, false)}); - } return setSymbolDesc(it, key, D); - } return dP(it, key, D); - }; - var $defineProperties = function defineProperties(it, P){ - anObject(it); - var keys = enumKeys(P = toIObject(P)) - , i = 0 - , l = keys.length - , key; - while(l > i)$defineProperty(it, key = keys[i++], P[key]); - return it; - }; - var $create = function create(it, P){ - return P === undefined ? _create(it) : $defineProperties(_create(it), P); - }; - var $propertyIsEnumerable = function propertyIsEnumerable(key){ - var E = isEnum.call(this, key = toPrimitive(key, true)); - if(this === ObjectProto && has(AllSymbols, key) && !has(OPSymbols, key))return false; - return E || !has(this, key) || !has(AllSymbols, key) || has(this, HIDDEN) && this[HIDDEN][key] ? E : true; - }; - var $getOwnPropertyDescriptor = function getOwnPropertyDescriptor(it, key){ - it = toIObject(it); - key = toPrimitive(key, true); - if(it === ObjectProto && has(AllSymbols, key) && !has(OPSymbols, key))return; - var D = gOPD(it, key); - if(D && has(AllSymbols, key) && !(has(it, HIDDEN) && it[HIDDEN][key]))D.enumerable = true; - return D; - }; - var $getOwnPropertyNames = function getOwnPropertyNames(it){ - var names = gOPN(toIObject(it)) - , result = [] - , i = 0 - , key; - while(names.length > i){ - if(!has(AllSymbols, key = names[i++]) && key != HIDDEN && key != META)result.push(key); - } return result; - }; - var $getOwnPropertySymbols = function getOwnPropertySymbols(it){ - var IS_OP = it === ObjectProto - , names = gOPN(IS_OP ? OPSymbols : toIObject(it)) - , result = [] - , i = 0 - , key; - while(names.length > i){ - if(has(AllSymbols, key = names[i++]) && (IS_OP ? has(ObjectProto, key) : true))result.push(AllSymbols[key]); - } return result; - }; + _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 -// 19.4.1.1 Symbol([description]) - if(!USE_NATIVE){ - $Symbol = function Symbol(){ - if(this instanceof $Symbol)throw TypeError('Symbol is not a constructor!'); - var tag = uid(arguments.length > 0 ? arguments[0] : undefined); - var $set = function(value){ - if(this === ObjectProto)$set.call(OPSymbols, value); - if(has(this, HIDDEN) && has(this[HIDDEN], tag))this[HIDDEN][tag] = false; - setSymbolDesc(this, tag, createDesc(1, value)); - }; - if(DESCRIPTORS && setter)setSymbolDesc(ObjectProto, tag, {configurable: true, set: $set}); - return wrap(tag); - }; - redefine($Symbol[PROTOTYPE], 'toString', function toString(){ - return this._k; - }); + var startDTS = (nextAudioPts !== undefined ? nextAudioPts : videoData.startDTS * inputTimeScale) + this._initDTS; + var endDTS = videoData.endDTS * inputTimeScale + this._initDTS; // one sample's duration value - $GOPD.f = $getOwnPropertyDescriptor; - $DP.f = $defineProperty; - __webpack_require__(74).f = gOPNExt.f = $getOwnPropertyNames; - __webpack_require__(37).f = $propertyIsEnumerable; - __webpack_require__(52).f = $getOwnPropertySymbols; + var sampleDuration = 1024; + var frameDuration = scaleFactor * sampleDuration; // samples count of this segment's duration - if(DESCRIPTORS && !__webpack_require__(54)){ - redefine(ObjectProto, 'propertyIsEnumerable', $propertyIsEnumerable, true); - } + var nbSamples = Math.ceil((endDTS - startDTS) / frameDuration); // silent frame - wksExt.f = function(name){ - return wrap(wks(name)); - } - } - - $export($export.G + $export.W + $export.F * !USE_NATIVE, {Symbol: $Symbol}); - - for(var symbols = ( - // 19.4.2.2, 19.4.2.3, 19.4.2.4, 19.4.2.6, 19.4.2.8, 19.4.2.9, 19.4.2.10, 19.4.2.11, 19.4.2.12, 19.4.2.13, 19.4.2.14 - 'hasInstance,isConcatSpreadable,iterator,match,replace,search,species,split,toPrimitive,toStringTag,unscopables' - ).split(','), i = 0; symbols.length > i; )wks(symbols[i++]); - - for(var symbols = $keys(wks.store), i = 0; symbols.length > i; )wksDefine(symbols[i++]); - - $export($export.S + $export.F * !USE_NATIVE, 'Symbol', { - // 19.4.2.1 Symbol.for(key) - 'for': function(key){ - return has(SymbolRegistry, key += '') - ? SymbolRegistry[key] - : SymbolRegistry[key] = $Symbol(key); - }, - // 19.4.2.5 Symbol.keyFor(sym) - keyFor: function keyFor(key){ - if(isSymbol(key))return keyOf(SymbolRegistry, key); - throw TypeError(key + ' is not a symbol!'); - }, - useSetter: function(){ setter = true; }, - useSimple: function(){ setter = false; } - }); - - $export($export.S + $export.F * !USE_NATIVE, 'Object', { - // 19.1.2.2 Object.create(O [, Properties]) - create: $create, - // 19.1.2.4 Object.defineProperty(O, P, Attributes) - defineProperty: $defineProperty, - // 19.1.2.3 Object.defineProperties(O, Properties) - defineProperties: $defineProperties, - // 19.1.2.6 Object.getOwnPropertyDescriptor(O, P) - getOwnPropertyDescriptor: $getOwnPropertyDescriptor, - // 19.1.2.7 Object.getOwnPropertyNames(O) - getOwnPropertyNames: $getOwnPropertyNames, - // 19.1.2.8 Object.getOwnPropertySymbols(O) - getOwnPropertySymbols: $getOwnPropertySymbols - }); + var silentFrame = aac_helper.getSilentFrame(track.manifestCodec || track.codec, track.channelCount); + logger["logger"].warn('remux empty Audio'); // Can't remux if we can't generate a silent frame... -// 24.3.2 JSON.stringify(value [, replacer [, space]]) - $JSON && $export($export.S + $export.F * (!USE_NATIVE || $fails(function(){ - var S = $Symbol(); - // MS Edge converts symbol values to JSON as {} - // WebKit converts symbol values to JSON as null - // V8 throws on boxed symbols - return _stringify([S]) != '[null]' || _stringify({a: S}) != '{}' || _stringify(Object(S)) != '{}'; - })), 'JSON', { - stringify: function stringify(it){ - if(it === undefined || isSymbol(it))return; // IE8 returns string on undefined - var args = [it] - , i = 1 - , replacer, $replacer; - while(arguments.length > i)args.push(arguments[i++]); - replacer = args[1]; - if(typeof replacer == 'function')$replacer = replacer; - if($replacer || !isArray(replacer))replacer = function(key, value){ - if($replacer)value = $replacer.call(this, key, value); - if(!isSymbol(value))return value; - }; - args[1] = replacer; - return _stringify.apply($JSON, args); - } - }); + if (!silentFrame) { + logger["logger"].trace('Unable to remuxEmptyAudio since we were unable to get a silent frame for given audio codec!'); + return; + } -// 19.4.3.4 Symbol.prototype[@@toPrimitive](hint) - $Symbol[PROTOTYPE][TO_PRIMITIVE] || __webpack_require__(25)($Symbol[PROTOTYPE], TO_PRIMITIVE, $Symbol[PROTOTYPE].valueOf); -// 19.4.3.5 Symbol.prototype[@@toStringTag] - setToStringTag($Symbol, 'Symbol'); -// 20.2.1.9 Math[@@toStringTag] - setToStringTag(Math, 'Math', true); -// 24.3.3 JSON[@@toStringTag] - setToStringTag(global.JSON, 'JSON', true); - - /***/ }), - /* 124 */ - /***/ (function(module, exports, __webpack_require__) { - - var META = __webpack_require__(36)('meta') - , isObject = __webpack_require__(32) - , has = __webpack_require__(22) - , setDesc = __webpack_require__(18).f - , id = 0; - var isExtensible = Object.isExtensible || function(){ - return true; - }; - var FREEZE = !__webpack_require__(27)(function(){ - return isExtensible(Object.preventExtensions({})); - }); - var setMeta = function(it){ - setDesc(it, META, {value: { - i: 'O' + ++id, // object ID - w: {} // weak collections IDs - }}); - }; - var fastKey = function(it, create){ - // return primitive with prefix - if(!isObject(it))return typeof it == 'symbol' ? it : (typeof it == 'string' ? 'S' : 'P') + it; - if(!has(it, META)){ - // can't set metadata to uncaught frozen object - if(!isExtensible(it))return 'F'; - // not necessary to add metadata - if(!create)return 'E'; - // add missing metadata - setMeta(it); - // return object ID - } return it[META].i; - }; - var getWeak = function(it, create){ - if(!has(it, META)){ - // can't set metadata to uncaught frozen object - if(!isExtensible(it))return true; - // not necessary to add metadata - if(!create)return false; - // add missing metadata - setMeta(it); - // return hash weak collections IDs - } return it[META].w; - }; -// add metadata on freeze-family methods calling - var onFreeze = function(it){ - if(FREEZE && meta.NEED && isExtensible(it) && !has(it, META))setMeta(it); - return it; - }; - var meta = module.exports = { - KEY: META, - NEED: false, - fastKey: fastKey, - getWeak: getWeak, - onFreeze: onFreeze - }; - - /***/ }), - /* 125 */ - /***/ (function(module, exports, __webpack_require__) { - - var getKeys = __webpack_require__(28) - , toIObject = __webpack_require__(19); - module.exports = function(object, el){ - var O = toIObject(object) - , keys = getKeys(O) - , length = keys.length - , index = 0 - , key; - while(length > index)if(O[key = keys[index++]] === el)return key; - }; - - /***/ }), - /* 126 */ - /***/ (function(module, exports, __webpack_require__) { + var samples = []; -// all enumerable object keys, includes symbols - var getKeys = __webpack_require__(28) - , gOPS = __webpack_require__(52) - , pIE = __webpack_require__(37); - module.exports = function(it){ - var result = getKeys(it) - , getSymbols = gOPS.f; - if(getSymbols){ - var symbols = getSymbols(it) - , isEnum = pIE.f - , i = 0 - , key; - while(symbols.length > i)if(isEnum.call(it, key = symbols[i++]))result.push(key); - } return result; - }; + for (var i = 0; i < nbSamples; i++) { + var stamp = startDTS + i * frameDuration; + samples.push({ + unit: silentFrame, + pts: stamp, + dts: stamp + }); + } - /***/ }), - /* 127 */ - /***/ (function(module, exports, __webpack_require__) { + track.samples = samples; + this.remuxAudio(track, timeOffset, contiguous); + }; -// 7.2.2 IsArray(argument) - var cof = __webpack_require__(46); - module.exports = Array.isArray || function isArray(arg){ - return cof(arg) == 'Array'; - }; + _proto.remuxID3 = function remuxID3(track) { + var length = track.samples.length, + sample; + var inputTimeScale = track.inputTimeScale; + var initPTS = this._initPTS; + var initDTS = this._initDTS; // consume samples - /***/ }), - /* 128 */ - /***/ (function(module, exports, __webpack_require__) { + if (length) { + for (var index = 0; index < length; index++) { + sample = track.samples[index]; // setting id3 pts, dts to relative time + // using this._initPTS and this._initDTS to calculate relative time -// fallback for IE11 buggy Object.getOwnPropertyNames with iframe and window - var toIObject = __webpack_require__(19) - , gOPN = __webpack_require__(74).f - , toString = {}.toString; + sample.pts = (sample.pts - initPTS) / inputTimeScale; + sample.dts = (sample.dts - initDTS) / inputTimeScale; + } - var windowNames = typeof window == 'object' && window && Object.getOwnPropertyNames - ? Object.getOwnPropertyNames(window) : []; + this.observer.trigger(events["default"].FRAG_PARSING_METADATA, { + samples: track.samples + }); + } - var getWindowNames = function(it){ - try { - return gOPN(it); - } catch(e){ - return windowNames.slice(); - } - }; + track.samples = []; + }; - module.exports.f = function getOwnPropertyNames(it){ - return windowNames && toString.call(it) == '[object Window]' ? getWindowNames(it) : gOPN(toIObject(it)); - }; + _proto.remuxText = function remuxText(track) { + track.samples.sort(function (a, b) { + return a.pts - b.pts; + }); + var length = track.samples.length, + sample; + var inputTimeScale = track.inputTimeScale; + var initPTS = this._initPTS; // consume samples + if (length) { + for (var index = 0; index < length; index++) { + sample = track.samples[index]; // setting text pts, dts to relative time + // using this._initPTS and this._initDTS to calculate relative time - /***/ }), - /* 129 */ - /***/ (function(module, exports) { + sample.pts = (sample.pts - initPTS) / inputTimeScale; + } + this.observer.trigger(events["default"].FRAG_PARSING_USERDATA, { + samples: track.samples + }); + } + track.samples = []; + }; - /***/ }), - /* 130 */ - /***/ (function(module, exports, __webpack_require__) { + _proto._PTSNormalize = function _PTSNormalize(value, reference) { + var offset; - __webpack_require__(58)('asyncIterator'); + if (reference === undefined) { + return value; + } - /***/ }), - /* 131 */ - /***/ (function(module, exports, __webpack_require__) { + 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 */ - __webpack_require__(58)('observable'); - /***/ }), - /* 132 */ - /***/ (function(module, exports, __webpack_require__) { + while (Math.abs(value - reference) > 4294967296) { + value += offset; + } - __webpack_require__(133); - var $Object = __webpack_require__(11).Object; - module.exports = function defineProperty(it, key, desc){ - return $Object.defineProperty(it, key, desc); - }; + return value; + }; - /***/ }), - /* 133 */ - /***/ (function(module, exports, __webpack_require__) { + return MP4Remuxer; + }(); - var $export = __webpack_require__(16); -// 19.1.2.4 / 15.2.3.6 Object.defineProperty(O, P, Attributes) - $export($export.S + $export.F * !__webpack_require__(21), 'Object', {defineProperty: __webpack_require__(18).f}); + /* harmony default export */ var mp4_remuxer = (mp4_remuxer_MP4Remuxer); +// CONCATENATED MODULE: ./src/remux/passthrough-remuxer.js + /** + * passthrough remuxer + */ - /***/ }), - /* 134 */ - /***/ (function(module, exports, __webpack_require__) { - module.exports = { "default": __webpack_require__(135), __esModule: true }; + var passthrough_remuxer_PassThroughRemuxer = + /*#__PURE__*/ + function () { + function PassThroughRemuxer(observer) { + this.observer = observer; + } - /***/ }), - /* 135 */ - /***/ (function(module, exports, __webpack_require__) { + var _proto = PassThroughRemuxer.prototype; - __webpack_require__(136); - module.exports = __webpack_require__(11).Object.setPrototypeOf; + _proto.destroy = function destroy() {}; - /***/ }), - /* 136 */ - /***/ (function(module, exports, __webpack_require__) { + _proto.resetTimeStamp = function resetTimeStamp() {}; -// 19.1.3.19 Object.setPrototypeOf(O, proto) - var $export = __webpack_require__(16); - $export($export.S, 'Object', {setPrototypeOf: __webpack_require__(137).set}); + _proto.resetInitSegment = function resetInitSegment() {}; - /***/ }), - /* 137 */ - /***/ (function(module, exports, __webpack_require__) { + _proto.remux = function remux(audioTrack, videoTrack, id3Track, textTrack, timeOffset, contiguous, accurateTimeOffset, rawData) { + var observer = this.observer; + var streamType = ''; -// Works with __proto__ only. Old v8 can't work with null proto objects. - /* eslint-disable no-proto */ - var isObject = __webpack_require__(32) - , anObject = __webpack_require__(26); - var check = function(O, proto){ - anObject(O); - if(!isObject(proto) && proto !== null)throw TypeError(proto + ": can't set as prototype!"); - }; - module.exports = { - set: Object.setPrototypeOf || ('__proto__' in {} ? // eslint-disable-line - function(test, buggy, set){ - try { - set = __webpack_require__(44)(Function.call, __webpack_require__(59).f(Object.prototype, '__proto__').set, 2); - set(test, []); - buggy = !(test instanceof Array); - } catch(e){ buggy = true; } - return function setPrototypeOf(O, proto){ - check(O, proto); - if(buggy)O.__proto__ = proto; - else set(O, proto); - return O; - }; - }({}, false) : undefined), - check: check - }; + if (audioTrack) { + streamType += 'audio'; + } - /***/ }), - /* 138 */ - /***/ (function(module, exports, __webpack_require__) { + if (videoTrack) { + streamType += 'video'; + } - __webpack_require__(139); - var $Object = __webpack_require__(11).Object; - module.exports = function create(P, D){ - return $Object.create(P, D); - }; + observer.trigger(events["default"].FRAG_PARSING_DATA, { + data1: rawData, + startPTS: timeOffset, + startDTS: timeOffset, + type: streamType, + hasAudio: !!audioTrack, + hasVideo: !!videoTrack, + nb: 1, + dropped: 0 + }); // notify end of parsing + + observer.trigger(events["default"].FRAG_PARSED); + }; - /***/ }), - /* 139 */ - /***/ (function(module, exports, __webpack_require__) { + return PassThroughRemuxer; + }(); - var $export = __webpack_require__(16) -// 19.1.2.2 / 15.2.3.5 Object.create(O [, Properties]) - $export($export.S, 'Object', {create: __webpack_require__(55)}); + /* harmony default export */ var passthrough_remuxer = (passthrough_remuxer_PassThroughRemuxer); +// CONCATENATED MODULE: ./src/demux/demuxer-inline.js + /** + * + * inline demuxer: probe fragments and instantiate + * appropriate demuxer depending on content type (TSDemuxer, AACDemuxer, ...) + * + */ - /***/ }), - /* 140 */ - /***/ (function(module, exports, __webpack_require__) { - module.exports = { "default": __webpack_require__(141), __esModule: true }; - /***/ }), - /* 141 */ - /***/ (function(module, exports, __webpack_require__) { - __webpack_require__(142); - var $Object = __webpack_require__(11).Object; - module.exports = function getOwnPropertyDescriptor(it, key){ - return $Object.getOwnPropertyDescriptor(it, key); - }; - /***/ }), - /* 142 */ - /***/ (function(module, exports, __webpack_require__) { -// 19.1.2.6 Object.getOwnPropertyDescriptor(O, P) - var toIObject = __webpack_require__(19) - , $getOwnPropertyDescriptor = __webpack_require__(59).f; - __webpack_require__(70)('getOwnPropertyDescriptor', function(){ - return function getOwnPropertyDescriptor(it, key){ - return $getOwnPropertyDescriptor(toIObject(it), key); - }; - }); - /***/ }), - /* 143 */ - /***/ (function(module, exports, __webpack_require__) { - "use strict"; + // see https://stackoverflow.com/a/11237259/589493 -// Copyright 2014 Globo.com Player authors. All rights reserved. -// Use of this source code is governed by a BSD-style -// license that can be found in the LICENSE file. + var global = Object(get_self_scope["getSelfScope"])(); // safeguard for code that might run both on worker and main thread - /** - * Array.prototype.find - * - * Original source : https://developer.mozilla.org/en/docs/Web/JavaScript/Reference/Global_Objects/Array/find - * See also : https://tc39.github.io/ecma262/#sec-array.prototype.find - */ - if (!Array.prototype.find) { - // eslint-disable-next-line - Object.defineProperty(Array.prototype, 'find', { - // Note: ES6 arrow function syntax is not used on purpose to avoid this to be undefined - value: function value(predicate) { - // 1. Let O be ? ToObject(this value). - if (this == null) throw new TypeError('"this" is null or not defined'); - - var o = Object(this); - - // 2. Let len be ? ToLength(? Get(O, "length")). - var len = o.length >>> 0; - - // 3. If IsCallable(predicate) is false, throw a TypeError exception. - if (typeof predicate !== 'function') throw new TypeError('predicate must be a function'); - - // 4. If thisArg was supplied, let T be thisArg; else let T be undefined. - var thisArg = arguments[1]; - - // 5. Let k be 0. - var k = 0; - - // 6. Repeat, while k < len - while (k < len) { - // a. Let Pk be ! ToString(k). - // b. Let kValue be ? Get(O, Pk). - // c. Let testResult be ToBoolean(? Call(predicate, T, « kValue, k, O »)). - // d. If testResult is true, return kValue. - var kValue = o[k]; - if (predicate.call(thisArg, kValue, k, o)) return kValue; - - // e. Increase k by 1. - k++; - } - - // 7. Return undefined. - return undefined; - } - }); - } + var now; // performance.now() not available on WebWorker, at least on Safari Desktop - /***/ }), - /* 144 */ - /***/ (function(module, exports, __webpack_require__) { + try { + now = global.performance.now.bind(global.performance); + } catch (err) { + logger["logger"].debug('Unable to use Performance API on this environment'); + now = global.Date.now; + } + + var demuxer_inline_DemuxerInline = + /*#__PURE__*/ + function () { + function DemuxerInline(observer, typeSupported, config, vendor) { + this.observer = observer; + this.typeSupported = typeSupported; + this.config = config; + this.vendor = vendor; + } - "use strict"; + var _proto = DemuxerInline.prototype; + _proto.destroy = function destroy() { + var demuxer = this.demuxer; - Object.defineProperty(exports, "__esModule", { - value: true - }); - exports.getDevice = exports.getViewportSize = exports.getOsData = exports.getBrowserData = exports.getBrowserInfo = undefined; + if (demuxer) { + demuxer.destroy(); + } + }; - var _clapprZepto = __webpack_require__(6); + _proto.push = function push(data, decryptdata, initSegment, audioCodec, videoCodec, timeOffset, discontinuity, trackSwitch, contiguous, duration, accurateTimeOffset, defaultInitPTS) { + var _this = this; - var _clapprZepto2 = _interopRequireDefault(_clapprZepto); + if (data.byteLength > 0 && decryptdata != null && decryptdata.key != null && decryptdata.method === 'AES-128') { + var decrypter = this.decrypter; - var _browser_data = __webpack_require__(145); + if (decrypter == null) { + decrypter = this.decrypter = new crypt_decrypter["default"](this.observer, this.config); + } - var _browser_data2 = _interopRequireDefault(_browser_data); + var startTime = now(); + decrypter.decrypt(data, decryptdata.key.buffer, decryptdata.iv.buffer, function (decryptedData) { + var endTime = now(); - var _os_data = __webpack_require__(146); + _this.observer.trigger(events["default"].FRAG_DECRYPTED, { + stats: { + tstart: startTime, + tdecrypt: endTime + } + }); - var _os_data2 = _interopRequireDefault(_os_data); + _this.pushDecrypted(new Uint8Array(decryptedData), decryptdata, new Uint8Array(initSegment), audioCodec, videoCodec, timeOffset, discontinuity, trackSwitch, contiguous, duration, accurateTimeOffset, defaultInitPTS); + }); + } else { + this.pushDecrypted(new Uint8Array(data), decryptdata, new Uint8Array(initSegment), audioCodec, videoCodec, timeOffset, discontinuity, trackSwitch, contiguous, duration, accurateTimeOffset, defaultInitPTS); + } + }; - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + _proto.pushDecrypted = function pushDecrypted(data, decryptdata, initSegment, audioCodec, videoCodec, timeOffset, discontinuity, trackSwitch, contiguous, duration, accurateTimeOffset, defaultInitPTS) { + var demuxer = this.demuxer; + + if (!demuxer || // 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) + // so let's check that current demuxer is still valid + (discontinuity || trackSwitch) && !this.probe(data)) { + var observer = this.observer; + var typeSupported = this.typeSupported; + var config = this.config; // probing order is TS/MP4/AAC/MP3 + + var muxConfig = [{ + demux: tsdemuxer, + remux: mp4_remuxer + }, { + demux: mp4demuxer["default"], + remux: passthrough_remuxer + }, { + demux: aacdemuxer, + remux: mp4_remuxer + }, { + demux: mp3demuxer, + remux: mp4_remuxer + }]; // probe for content type + + for (var i = 0, len = muxConfig.length; i < len; i++) { + var mux = muxConfig[i]; + var probe = mux.demux.probe; + + if (probe(data)) { + var _remuxer = this.remuxer = new mux.remux(observer, config, typeSupported, this.vendor); + + demuxer = new mux.demux(observer, _remuxer, config, typeSupported); + this.probe = probe; + break; + } + } - var Browser = {}; + if (!demuxer) { + observer.trigger(events["default"].ERROR, { + type: errors["ErrorTypes"].MEDIA_ERROR, + details: errors["ErrorDetails"].FRAG_PARSING_ERROR, + fatal: true, + reason: 'no demux matching with content found' + }); + return; + } - var hasLocalstorage = function hasLocalstorage() { - try { - localStorage.setItem('clappr', 'clappr'); - localStorage.removeItem('clappr'); - return true; - } catch (e) { - return false; - } - }; + this.demuxer = demuxer; + } - var hasFlash = function hasFlash() { - try { - var fo = new ActiveXObject('ShockwaveFlash.ShockwaveFlash'); - return !!fo; - } catch (e) { - return !!(navigator.mimeTypes && navigator.mimeTypes['application/x-shockwave-flash'] !== undefined && navigator.mimeTypes['application/x-shockwave-flash'].enabledPlugin); - } - }; + var remuxer = this.remuxer; - var getBrowserInfo = exports.getBrowserInfo = function getBrowserInfo(ua) { - var parts = ua.match(/\b(playstation 4|nx|opera|chrome|safari|firefox|msie|trident(?=\/))\/?\s*(\d+)/i) || [], - extra = void 0; - if (/trident/i.test(parts[1])) { - extra = /\brv[ :]+(\d+)/g.exec(ua) || []; - return { - name: 'IE', - version: parseInt(extra[1] || '') - }; - } else if (parts[1] === 'Chrome') { - extra = ua.match(/\bOPR\/(\d+)/); - if (extra != null) return { name: 'Opera', version: parseInt(extra[1]) }; - - extra = ua.match(/\bEdge\/(\d+)/); - if (extra != null) return { name: 'Edge', version: parseInt(extra[1]) }; - } else if (/android/i.test(ua) && (extra = ua.match(/version\/(\d+)/i))) { - parts.splice(1, 1, 'Android WebView'); - parts.splice(2, 1, extra[1]); - } - parts = parts[2] ? [parts[1], parts[2]] : [navigator.appName, navigator.appVersion, '-?']; + if (discontinuity || trackSwitch) { + demuxer.resetInitSegment(initSegment, audioCodec, videoCodec, duration); + remuxer.resetInitSegment(); + } - return { - name: parts[0], - version: parseInt(parts[1]) - }; - }; + if (discontinuity) { + demuxer.resetTimeStamp(defaultInitPTS); + remuxer.resetTimeStamp(defaultInitPTS); + } -// Get browser data - var getBrowserData = exports.getBrowserData = function getBrowserData() { - var browserObject = {}; - var userAgent = Browser.userAgent.toLowerCase(); + if (typeof demuxer.setDecryptData === 'function') { + demuxer.setDecryptData(decryptdata); + } - // Check browser type - for (var i in _browser_data2.default) { - var browserRegExp = new RegExp(_browser_data2.default[i].identifier.toLowerCase()); - var browserRegExpResult = browserRegExp.exec(userAgent); + demuxer.append(data, timeOffset, contiguous, accurateTimeOffset); + }; - if (browserRegExpResult != null && browserRegExpResult[1]) { - browserObject.name = _browser_data2.default[i].name; - browserObject.group = _browser_data2.default[i].group; + return DemuxerInline; + }(); + + /* harmony default export */ var demuxer_inline = __webpack_exports__["default"] = (demuxer_inline_DemuxerInline); + + /***/ }), + + /***/ "./src/demux/demuxer-worker.js": + /*!*************************************!*\ + !*** ./src/demux/demuxer-worker.js ***! + \*************************************/ + /*! exports provided: default */ + /*! ModuleConcatenation bailout: Module is referenced from these modules with unsupported syntax: ./src/demux/demuxer.js (referenced with require.resolve) */ + /***/ (function(module, __webpack_exports__, __webpack_require__) { + + "use strict"; + __webpack_require__.r(__webpack_exports__); + /* harmony import */ var _demux_demuxer_inline__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../demux/demuxer-inline */ "./src/demux/demuxer-inline.js"); + /* harmony import */ var _events__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../events */ "./src/events.js"); + /* harmony import */ var _utils_logger__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../utils/logger */ "./src/utils/logger.js"); + /* 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__); + /* demuxer web worker. + * - listen to worker message, and trigger DemuxerInline upon reception of Fragments. + * - provides MP4 Boxes back to main thread using [transferable objects](https://developers.google.com/web/updates/2011/12/Transferable-Objects-Lightning-Fast) in order to minimize message passing overhead. + */ - // Check version - if (_browser_data2.default[i].versionIdentifier) { - var versionRegExp = new RegExp(_browser_data2.default[i].versionIdentifier.toLowerCase()); - var versionRegExpResult = versionRegExp.exec(userAgent); - if (versionRegExpResult != null && versionRegExpResult[1]) setBrowserVersion(versionRegExpResult[1], browserObject); - } else { - setBrowserVersion(browserRegExpResult[1], browserObject); - } - break; - } - } - return browserObject; - }; -// Set browser version - var setBrowserVersion = function setBrowserVersion(version, browserObject) { - var splitVersion = version.split('.', 2); - browserObject.fullVersion = version; - // Major version - if (splitVersion[0]) browserObject.majorVersion = parseInt(splitVersion[0]); - // Minor version - if (splitVersion[1]) browserObject.minorVersion = parseInt(splitVersion[1]); - }; + var DemuxerWorker = function DemuxerWorker(self) { + // observer setup + var observer = new eventemitter3__WEBPACK_IMPORTED_MODULE_3__["EventEmitter"](); -// Get OS data - var getOsData = exports.getOsData = function getOsData() { - var osObject = {}; - var userAgent = Browser.userAgent.toLowerCase(); + observer.trigger = function trigger(event) { + for (var _len = arguments.length, data = new Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) { + data[_key - 1] = arguments[_key]; + } - // Check browser type - for (var i in _os_data2.default) { - var osRegExp = new RegExp(_os_data2.default[i].identifier.toLowerCase()); - var osRegExpResult = osRegExp.exec(userAgent); + observer.emit.apply(observer, [event, event].concat(data)); + }; - if (osRegExpResult != null) { - osObject.name = _os_data2.default[i].name; - osObject.group = _os_data2.default[i].group; + observer.off = function off(event) { + for (var _len2 = arguments.length, data = new Array(_len2 > 1 ? _len2 - 1 : 0), _key2 = 1; _key2 < _len2; _key2++) { + data[_key2 - 1] = arguments[_key2]; + } - // Version defined - if (_os_data2.default[i].version) { - setOsVersion(_os_data2.default[i].version, _os_data2.default[i].versionSeparator ? _os_data2.default[i].versionSeparator : '.', osObject); + observer.removeListener.apply(observer, [event].concat(data)); + }; - // Version detected - } else if (osRegExpResult[1]) { - setOsVersion(osRegExpResult[1], _os_data2.default[i].versionSeparator ? _os_data2.default[i].versionSeparator : '.', osObject); + var forwardMessage = function forwardMessage(ev, data) { + self.postMessage({ + event: ev, + data: data + }); + }; - // Version identifier - } else if (_os_data2.default[i].versionIdentifier) { - var versionRegExp = new RegExp(_os_data2.default[i].versionIdentifier.toLowerCase()); - var versionRegExpResult = versionRegExp.exec(userAgent); + self.addEventListener('message', function (ev) { + var data = ev.data; // console.log('demuxer cmd:' + data.cmd); - if (versionRegExpResult != null && versionRegExpResult[1]) setOsVersion(versionRegExpResult[1], _os_data2.default[i].versionSeparator ? _os_data2.default[i].versionSeparator : '.', osObject); - } - break; - } - } - return osObject; - }; + switch (data.cmd) { + case 'init': + var config = JSON.parse(data.config); + self.demuxer = new _demux_demuxer_inline__WEBPACK_IMPORTED_MODULE_0__["default"](observer, data.typeSupported, config, data.vendor); + Object(_utils_logger__WEBPACK_IMPORTED_MODULE_2__["enableLogs"])(config.debug); // signal end of worker init -// Set OS version - var setOsVersion = function setOsVersion(version, separator, osObject) { - var finalSeparator = separator.substr(0, 1) == '[' ? new RegExp(separator, 'g') : separator; - var splitVersion = version.split(finalSeparator, 2); + forwardMessage('init', null); + break; - if (separator != '.') version = version.replace(new RegExp(separator, 'g'), '.'); + case 'demux': + self.demuxer.push(data.data, data.decryptdata, data.initSegment, data.audioCodec, data.videoCodec, data.timeOffset, data.discontinuity, data.trackSwitch, data.contiguous, data.duration, data.accurateTimeOffset, data.defaultInitPTS); + break; - osObject.fullVersion = version; + default: + break; + } + }); // forward events to main thread + + observer.on(_events__WEBPACK_IMPORTED_MODULE_1__["default"].FRAG_DECRYPTED, forwardMessage); + observer.on(_events__WEBPACK_IMPORTED_MODULE_1__["default"].FRAG_PARSING_INIT_SEGMENT, forwardMessage); + observer.on(_events__WEBPACK_IMPORTED_MODULE_1__["default"].FRAG_PARSED, forwardMessage); + observer.on(_events__WEBPACK_IMPORTED_MODULE_1__["default"].ERROR, forwardMessage); + observer.on(_events__WEBPACK_IMPORTED_MODULE_1__["default"].FRAG_PARSING_METADATA, forwardMessage); + observer.on(_events__WEBPACK_IMPORTED_MODULE_1__["default"].FRAG_PARSING_USERDATA, forwardMessage); + observer.on(_events__WEBPACK_IMPORTED_MODULE_1__["default"].INIT_PTS_FOUND, forwardMessage); // special case for FRAG_PARSING_DATA: pass data1/data2 as transferable object (no copy) + + observer.on(_events__WEBPACK_IMPORTED_MODULE_1__["default"].FRAG_PARSING_DATA, function (ev, data) { + var transferable = []; + var message = { + event: ev, + data: data + }; - // Major version - if (splitVersion && splitVersion[0]) osObject.majorVersion = parseInt(splitVersion[0]); + if (data.data1) { + message.data1 = data.data1.buffer; + transferable.push(data.data1.buffer); + delete data.data1; + } - // Minor version - if (splitVersion && splitVersion[1]) osObject.minorVersion = parseInt(splitVersion[1]); - }; + if (data.data2) { + message.data2 = data.data2.buffer; + transferable.push(data.data2.buffer); + delete data.data2; + } -// Set viewport size - var getViewportSize = exports.getViewportSize = function getViewportSize() { - var viewportObject = {}; + self.postMessage(message, transferable); + }); + }; - viewportObject.width = (0, _clapprZepto2.default)(window).width(); - viewportObject.height = (0, _clapprZepto2.default)(window).height(); + /* harmony default export */ __webpack_exports__["default"] = (DemuxerWorker); - return viewportObject; - }; + /***/ }), -// Set viewport orientation - var setViewportOrientation = function setViewportOrientation() { - switch (window.orientation) { - case -90: - case 90: - Browser.viewport.orientation = 'landscape'; - break; - default: - Browser.viewport.orientation = 'portrait'; - break; - } - }; - - var getDevice = exports.getDevice = function getDevice(ua) { - var platformRegExp = /\((iP(?:hone|ad|od))?(?:[^;]*; ){0,2}([^)]+(?=\)))/; - var matches = platformRegExp.exec(ua); - var device = matches && (matches[1] || matches[2]) || ''; - return device; - }; - - var browserInfo = getBrowserInfo(navigator.userAgent); - - Browser.isEdge = /edge/i.test(navigator.userAgent); - Browser.isChrome = /chrome|CriOS/i.test(navigator.userAgent) && !Browser.isEdge; - Browser.isSafari = /safari/i.test(navigator.userAgent) && !Browser.isChrome && !Browser.isEdge; - Browser.isFirefox = /firefox/i.test(navigator.userAgent); - Browser.isLegacyIE = !!window.ActiveXObject; - Browser.isIE = Browser.isLegacyIE || /trident.*rv:1\d/i.test(navigator.userAgent); - Browser.isIE11 = /trident.*rv:11/i.test(navigator.userAgent); - Browser.isChromecast = Browser.isChrome && /CrKey/i.test(navigator.userAgent); - Browser.isMobile = /Android|webOS|iPhone|iPad|iPod|BlackBerry|Windows Phone|IEMobile|Mobile Safari|Opera Mini/i.test(navigator.userAgent); - Browser.isiOS = /iPad|iPhone|iPod/i.test(navigator.userAgent); - Browser.isAndroid = /Android/i.test(navigator.userAgent); - Browser.isWindowsPhone = /Windows Phone/i.test(navigator.userAgent); - Browser.isWin8App = /MSAppHost/i.test(navigator.userAgent); - Browser.isWiiU = /WiiU/i.test(navigator.userAgent); - Browser.isPS4 = /PlayStation 4/i.test(navigator.userAgent); - Browser.hasLocalstorage = hasLocalstorage(); - Browser.hasFlash = hasFlash(); - - /** - * @deprecated - * This parameter currently exists for retrocompatibility reasons. - * Use Browser.data.name instead. - */ - Browser.name = browserInfo.name; - - /** - * @deprecated - * This parameter currently exists for retrocompatibility reasons. - * Use Browser.data.fullVersion instead. - */ - Browser.version = browserInfo.version; - - Browser.userAgent = navigator.userAgent; - Browser.data = getBrowserData(); - Browser.os = getOsData(); - Browser.viewport = getViewportSize(); - Browser.device = getDevice(Browser.userAgent); - typeof window.orientation !== 'undefined' && setViewportOrientation(); - - exports.default = Browser; - - /***/ }), - /* 145 */ - /***/ (function(module, exports, __webpack_require__) { - - "use strict"; - - - Object.defineProperty(exports, "__esModule", { - value: true - }); - /* eslint-disable no-useless-escape */ -// The order of the following arrays is important, be careful if you change it. + /***/ "./src/demux/id3.js": + /*!**************************!*\ + !*** ./src/demux/id3.js ***! + \**************************/ + /*! exports provided: default, utf8ArrayToStr */ + /***/ (function(module, __webpack_exports__, __webpack_require__) { - var BROWSER_DATA = [{ - name: 'Chromium', - group: 'Chrome', - identifier: 'Chromium/([0-9\.]*)' - }, { - name: 'Chrome Mobile', - group: 'Chrome', - identifier: 'Chrome/([0-9\.]*) Mobile', - versionIdentifier: 'Chrome/([0-9\.]*)' - }, { - name: 'Chrome', - group: 'Chrome', - identifier: 'Chrome/([0-9\.]*)' - }, { - name: 'Chrome for iOS', - group: 'Chrome', - identifier: 'CriOS/([0-9\.]*)' - }, { - name: 'Android Browser', - group: 'Chrome', - identifier: 'CrMo/([0-9\.]*)' - }, { - name: 'Firefox', - group: 'Firefox', - identifier: 'Firefox/([0-9\.]*)' - }, { - name: 'Opera Mini', - group: 'Opera', - identifier: 'Opera Mini/([0-9\.]*)' - }, { - name: 'Opera', - group: 'Opera', - identifier: 'Opera ([0-9\.]*)' - }, { - name: 'Opera', - group: 'Opera', - identifier: 'Opera/([0-9\.]*)', - versionIdentifier: 'Version/([0-9\.]*)' - }, { - name: 'IEMobile', - group: 'Explorer', - identifier: 'IEMobile/([0-9\.]*)' - }, { - name: 'Internet Explorer', - group: 'Explorer', - identifier: 'MSIE ([a-zA-Z0-9\.]*)' - }, { - name: 'Internet Explorer', - group: 'Explorer', - identifier: 'Trident/([0-9\.]*)', - versionIdentifier: 'rv:([0-9\.]*)' - }, { - name: 'Spartan', - group: 'Spartan', - identifier: 'Edge/([0-9\.]*)', - versionIdentifier: 'Edge/([0-9\.]*)' - }, { - name: 'Safari', - group: 'Safari', - identifier: 'Safari/([0-9\.]*)', - versionIdentifier: 'Version/([0-9\.]*)' - }]; - - exports.default = BROWSER_DATA; - module.exports = exports['default']; - - /***/ }), - /* 146 */ - /***/ (function(module, exports, __webpack_require__) { - - "use strict"; - - - Object.defineProperty(exports, "__esModule", { - value: true - }); - /* eslint-disable no-useless-escape */ -// The order of the following arrays is important, be careful if you change it. + "use strict"; + __webpack_require__.r(__webpack_exports__); + /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "utf8ArrayToStr", function() { return utf8ArrayToStr; }); + /* harmony import */ var _utils_get_self_scope__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils/get-self-scope */ "./src/utils/get-self-scope.js"); - var OS_DATA = [{ - name: 'Windows 2000', - group: 'Windows', - identifier: 'Windows NT 5.0', - version: '5.0' - }, { - name: 'Windows XP', - group: 'Windows', - identifier: 'Windows NT 5.1', - version: '5.1' - }, { - name: 'Windows Vista', - group: 'Windows', - identifier: 'Windows NT 6.0', - version: '6.0' - }, { - name: 'Windows 7', - group: 'Windows', - identifier: 'Windows NT 6.1', - version: '7.0' - }, { - name: 'Windows 8', - group: 'Windows', - identifier: 'Windows NT 6.2', - version: '8.0' - }, { - name: 'Windows 8.1', - group: 'Windows', - identifier: 'Windows NT 6.3', - version: '8.1' - }, { - name: 'Windows 10', - group: 'Windows', - identifier: 'Windows NT 10.0', - version: '10.0' - }, { - name: 'Windows Phone', - group: 'Windows Phone', - identifier: 'Windows Phone ([0-9\.]*)' - }, { - name: 'Windows Phone', - group: 'Windows Phone', - identifier: 'Windows Phone OS ([0-9\.]*)' - }, { - name: 'Windows', - group: 'Windows', - identifier: 'Windows' - }, { - name: 'Chrome OS', - group: 'Chrome OS', - identifier: 'CrOS' - }, { - name: 'Android', - group: 'Android', - identifier: 'Android', - versionIdentifier: 'Android ([a-zA-Z0-9\.-]*)' - }, { - name: 'iPad', - group: 'iOS', - identifier: 'iPad', - versionIdentifier: 'OS ([0-9_]*)', - versionSeparator: '[_|\.]' - }, { - name: 'iPod', - group: 'iOS', - identifier: 'iPod', - versionIdentifier: 'OS ([0-9_]*)', - versionSeparator: '[_|\.]' - }, { - name: 'iPhone', - group: 'iOS', - identifier: 'iPhone OS', - versionIdentifier: 'OS ([0-9_]*)', - versionSeparator: '[_|\.]' - }, { - name: 'Mac OS X High Sierra', - group: 'Mac OS', - identifier: 'Mac OS X (10([_|\.])13([0-9_\.]*))', - versionSeparator: '[_|\.]' - }, { - name: 'Mac OS X Sierra', - group: 'Mac OS', - identifier: 'Mac OS X (10([_|\.])12([0-9_\.]*))', - versionSeparator: '[_|\.]' - }, { - name: 'Mac OS X El Capitan', - group: 'Mac OS', - identifier: 'Mac OS X (10([_|\.])11([0-9_\.]*))', - versionSeparator: '[_|\.]' - }, { - name: 'Mac OS X Yosemite', - group: 'Mac OS', - identifier: 'Mac OS X (10([_|\.])10([0-9_\.]*))', - versionSeparator: '[_|\.]' - }, { - name: 'Mac OS X Mavericks', - group: 'Mac OS', - identifier: 'Mac OS X (10([_|\.])9([0-9_\.]*))', - versionSeparator: '[_|\.]' - }, { - name: 'Mac OS X Mountain Lion', - group: 'Mac OS', - identifier: 'Mac OS X (10([_|\.])8([0-9_\.]*))', - versionSeparator: '[_|\.]' - }, { - name: 'Mac OS X Lion', - group: 'Mac OS', - identifier: 'Mac OS X (10([_|\.])7([0-9_\.]*))', - versionSeparator: '[_|\.]' - }, { - name: 'Mac OS X Snow Leopard', - group: 'Mac OS', - identifier: 'Mac OS X (10([_|\.])6([0-9_\.]*))', - versionSeparator: '[_|\.]' - }, { - name: 'Mac OS X Leopard', - group: 'Mac OS', - identifier: 'Mac OS X (10([_|\.])5([0-9_\.]*))', - versionSeparator: '[_|\.]' - }, { - name: 'Mac OS X Tiger', - group: 'Mac OS', - identifier: 'Mac OS X (10([_|\.])4([0-9_\.]*))', - versionSeparator: '[_|\.]' - }, { - name: 'Mac OS X Panther', - group: 'Mac OS', - identifier: 'Mac OS X (10([_|\.])3([0-9_\.]*))', - versionSeparator: '[_|\.]' - }, { - name: 'Mac OS X Jaguar', - group: 'Mac OS', - identifier: 'Mac OS X (10([_|\.])2([0-9_\.]*))', - versionSeparator: '[_|\.]' - }, { - name: 'Mac OS X Puma', - group: 'Mac OS', - identifier: 'Mac OS X (10([_|\.])1([0-9_\.]*))', - versionSeparator: '[_|\.]' - }, { - name: 'Mac OS X Cheetah', - group: 'Mac OS', - identifier: 'Mac OS X (10([_|\.])0([0-9_\.]*))', - versionSeparator: '[_|\.]' - }, { - name: 'Mac OS', - group: 'Mac OS', - identifier: 'Mac OS' - }, { - name: 'Ubuntu', - group: 'Linux', - identifier: 'Ubuntu', - versionIdentifier: 'Ubuntu/([0-9\.]*)' - }, { - name: 'Debian', - group: 'Linux', - identifier: 'Debian' - }, { - name: 'Gentoo', - group: 'Linux', - identifier: 'Gentoo' - }, { - name: 'Linux', - group: 'Linux', - identifier: 'Linux' - }, { - name: 'BlackBerry', - group: 'BlackBerry', - identifier: 'BlackBerry' - }]; - - exports.default = OS_DATA; - module.exports = exports['default']; - - /***/ }), - /* 147 */ - /***/ (function(module, exports, __webpack_require__) { - - "use strict"; - - - Object.defineProperty(exports, "__esModule", { - value: true - }); -// https://github.com/mathiasbynens/small - var mp4 = exports.mp4 = 'data:video/mp4;base64,AAAAHGZ0eXBpc29tAAACAGlzb21pc28ybXA0MQAAAAhmcmVlAAAC721kYXQhEAUgpBv/wAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA3pwAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAcCEQBSCkG//AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADengAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAcAAAAsJtb292AAAAbG12aGQAAAAAAAAAAAAAAAAAAAPoAAAALwABAAABAAAAAAAAAAAAAAAAAQAAAAAAAAAAAAAAAAAAAAEAAAAAAAAAAAAAAAAAAEAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADAAAB7HRyYWsAAABcdGtoZAAAAAMAAAAAAAAAAAAAAAIAAAAAAAAALwAAAAAAAAAAAAAAAQEAAAAAAQAAAAAAAAAAAAAAAAAAAAEAAAAAAAAAAAAAAAAAAEAAAAAAAAAAAAAAAAAAACRlZHRzAAAAHGVsc3QAAAAAAAAAAQAAAC8AAAAAAAEAAAAAAWRtZGlhAAAAIG1kaGQAAAAAAAAAAAAAAAAAAKxEAAAIAFXEAAAAAAAtaGRscgAAAAAAAAAAc291bgAAAAAAAAAAAAAAAFNvdW5kSGFuZGxlcgAAAAEPbWluZgAAABBzbWhkAAAAAAAAAAAAAAAkZGluZgAAABxkcmVmAAAAAAAAAAEAAAAMdXJsIAAAAAEAAADTc3RibAAAAGdzdHNkAAAAAAAAAAEAAABXbXA0YQAAAAAAAAABAAAAAAAAAAAAAgAQAAAAAKxEAAAAAAAzZXNkcwAAAAADgICAIgACAASAgIAUQBUAAAAAAfQAAAHz+QWAgIACEhAGgICAAQIAAAAYc3R0cwAAAAAAAAABAAAAAgAABAAAAAAcc3RzYwAAAAAAAAABAAAAAQAAAAIAAAABAAAAHHN0c3oAAAAAAAAAAAAAAAIAAAFzAAABdAAAABRzdGNvAAAAAAAAAAEAAAAsAAAAYnVkdGEAAABabWV0YQAAAAAAAAAhaGRscgAAAAAAAAAAbWRpcmFwcGwAAAAAAAAAAAAAAAAtaWxzdAAAACWpdG9vAAAAHWRhdGEAAAABAAAAAExhdmY1Ni40MC4xMDE='; + /** + * ID3 parser + */ - exports.default = { - mp4: mp4 - }; + var ID3 = + /*#__PURE__*/ + function () { + function ID3() {} + + /** + * 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 + */ + ID3.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; + } + } + } + } - /***/ }), - /* 148 */ - /***/ (function(module, exports, __webpack_require__) { + 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 + */ + ; + + ID3.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; + } + } + } + } - "use strict"; + 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} - The block of data containing any ID3 tags found + */ + ; + ID3.getID3Data = function getID3Data(data, offset) { + var front = offset; + var length = 0; - Object.defineProperty(exports, "__esModule", { - value: true - }); + while (ID3.isHeader(data, offset)) { + // ID3 header is 10 bytes + length += 10; - var _classCallCheck2 = __webpack_require__(0); + var size = ID3._readSize(data, offset + 6); - var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + length += size; - var _vendor = __webpack_require__(60); + if (ID3.isFooter(data, offset + 10)) { + // ID3 footer is 10 bytes + length += 10; + } - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + offset += length; + } - var BOLD = 'font-weight: bold; font-size: 13px;'; -// Use of this source code is governed by a BSD-style -// license that can be found in the LICENSE file. + if (length > 0) { + return data.subarray(front, front + length); + } - var INFO = 'color: #006600;' + BOLD; - var DEBUG = 'color: #0000ff;' + BOLD; - var WARN = 'color: #ff8000;' + BOLD; - var ERROR = 'color: #ff0000;' + BOLD; + return undefined; + }; - var LEVEL_DEBUG = 0; - var LEVEL_INFO = 1; - var LEVEL_WARN = 2; - var LEVEL_ERROR = 3; - var LEVEL_DISABLED = LEVEL_ERROR; + ID3._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; + } + /** + * 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} - The timestamp + */ + ; - var COLORS = [DEBUG, INFO, WARN, ERROR, ERROR]; - var DESCRIPTIONS = ['debug', 'info', 'warn', 'error', 'disabled']; + ID3.getTimeStamp = function getTimeStamp(data) { + var frames = ID3.getID3Frames(data); - var Log = function () { - function Log() { - var _this = this; + for (var i = 0; i < frames.length; i++) { + var frame = frames[i]; - var level = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : LEVEL_INFO; - var offLevel = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : LEVEL_DISABLED; - (0, _classCallCheck3.default)(this, Log); + if (ID3.isTimeStampFrame(frame)) { + return ID3._readTimeStamp(frame); + } + } - this.kibo = new _vendor.Kibo(); - this.kibo.down(['ctrl shift d'], function () { - return _this.onOff(); - }); - this.BLACKLIST = ['timeupdate', 'playback:timeupdate', 'playback:progress', 'container:hover', 'container:timeupdate', 'container:progress']; - this.level = level; - this.offLevel = offLevel; - } + return undefined; + } + /** + * Returns true if the ID3 frame is an Elementary Stream timestamp frame + * @param {ID3 frame} frame + */ + ; + + ID3.isTimeStampFrame = function isTimeStampFrame(frame) { + return frame && frame.key === 'PRIV' && frame.info === 'com.apple.streaming.transportStreamTimestamp'; + }; - Log.prototype.debug = function debug(klass) { - this.log(klass, LEVEL_DEBUG, Array.prototype.slice.call(arguments, 1)); - }; + ID3._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]); - Log.prototype.info = function info(klass) { - this.log(klass, LEVEL_INFO, Array.prototype.slice.call(arguments, 1)); - }; + var size = ID3._readSize(data, 4); // skip frame id, size, and flags - Log.prototype.warn = function warn(klass) { - this.log(klass, LEVEL_WARN, Array.prototype.slice.call(arguments, 1)); - }; - Log.prototype.error = function error(klass) { - this.log(klass, LEVEL_ERROR, Array.prototype.slice.call(arguments, 1)); - }; + 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 + */ + ; - Log.prototype.onOff = function onOff() { - if (this.level === this.offLevel) { - this.level = this.previousLevel; - } else { - this.previousLevel = this.level; - this.level = this.offLevel; - } - // handle instances where console.log is unavailable - if (window.console && window.console.log) window.console.log('%c[Clappr.Log] set log level to ' + DESCRIPTIONS[this.level], WARN); - }; + ID3.getID3Frames = function getID3Frames(id3Data) { + var offset = 0; + var frames = []; - Log.prototype.level = function level(newLevel) { - this.level = newLevel; - }; + while (ID3.isHeader(id3Data, offset)) { + var size = ID3._readSize(id3Data, offset + 6); // skip past ID3 header - Log.prototype.log = function log(klass, level, message) { - if (this.BLACKLIST.indexOf(message[0]) >= 0) return; - if (level < this.level) return; - if (!message) { - message = klass; - klass = null; - } - var color = COLORS[level]; - var klassDescription = ''; - if (klass) klassDescription = '[' + klass + ']'; + offset += 10; + var end = offset + size; // loop through frames in the ID3 tag - if (window.console && window.console.log) window.console.log.apply(console, ['%c[' + DESCRIPTIONS[level] + ']' + klassDescription, color].concat(message)); - }; + while (offset + 8 < end) { + var frameData = ID3._getFrameData(id3Data.subarray(offset)); - return Log; - }(); + var frame = ID3._decodeFrame(frameData); - exports.default = Log; + if (frame) { + frames.push(frame); + } // skip frame header and frame data - Log.LEVEL_DEBUG = LEVEL_DEBUG; - Log.LEVEL_INFO = LEVEL_INFO; - Log.LEVEL_WARN = LEVEL_WARN; - Log.LEVEL_ERROR = LEVEL_ERROR; + offset += frameData.size + 10; + } - Log.getInstance = function () { - if (this._instance === undefined) { - this._instance = new this(); - this._instance.previousLevel = this._instance.level; - this._instance.level = this._instance.offLevel; - } - return this._instance; - }; - - Log.setLevel = function (level) { - this.getInstance().level = level; - }; - - Log.debug = function () { - this.getInstance().debug.apply(this.getInstance(), arguments); - }; - Log.info = function () { - this.getInstance().info.apply(this.getInstance(), arguments); - }; - Log.warn = function () { - this.getInstance().warn.apply(this.getInstance(), arguments); - }; - Log.error = function () { - this.getInstance().error.apply(this.getInstance(), arguments); - }; - module.exports = exports['default']; - - /***/ }), - /* 149 */ - /***/ (function(module, exports, __webpack_require__) { - - "use strict"; - - - Object.defineProperty(exports, "__esModule", { - value: true - }); - /* eslint-disable */ -// Kibo is released under the MIT License. Copyright (c) 2013 marquete. -// see https://github.com/marquete/kibo + if (ID3.isFooter(id3Data, offset)) { + offset += 10; + } + } - var Kibo = function Kibo(element) { - this.element = element || window.document; - this.initialize(); - }; - - Kibo.KEY_NAMES_BY_CODE = { - 8: 'backspace', 9: 'tab', 13: 'enter', - 16: 'shift', 17: 'ctrl', 18: 'alt', - 20: 'caps_lock', - 27: 'esc', - 32: 'space', - 37: 'left', 38: 'up', 39: 'right', 40: 'down', - 48: '0', 49: '1', 50: '2', 51: '3', 52: '4', 53: '5', 54: '6', 55: '7', 56: '8', 57: '9', - 65: 'a', 66: 'b', 67: 'c', 68: 'd', 69: 'e', 70: 'f', 71: 'g', 72: 'h', 73: 'i', 74: 'j', - 75: 'k', 76: 'l', 77: 'm', 78: 'n', 79: 'o', 80: 'p', 81: 'q', 82: 'r', 83: 's', 84: 't', - 85: 'u', 86: 'v', 87: 'w', 88: 'x', 89: 'y', 90: 'z', 112: 'f1', 113: 'f2', 114: 'f3', - 115: 'f4', 116: 'f5', 117: 'f6', 118: 'f7', 119: 'f8', 120: 'f9', 121: 'f10', 122: 'f11', 123: 'f12' - }; - - Kibo.KEY_CODES_BY_NAME = {}; - (function () { - for (var key in Kibo.KEY_NAMES_BY_CODE) { - if (Object.prototype.hasOwnProperty.call(Kibo.KEY_NAMES_BY_CODE, key)) { - Kibo.KEY_CODES_BY_NAME[Kibo.KEY_NAMES_BY_CODE[key]] = +key; - } - } - })(); + return frames; + }; - Kibo.MODIFIERS = ['shift', 'ctrl', 'alt']; + ID3._decodeFrame = function _decodeFrame(frame) { + if (frame.type === 'PRIV') { + return ID3._decodePrivFrame(frame); + } else if (frame.type[0] === 'T') { + return ID3._decodeTextFrame(frame); + } else if (frame.type[0] === 'W') { + return ID3._decodeURLFrame(frame); + } - Kibo.registerEvent = function () { - if (document.addEventListener) { - return function (element, eventName, func) { - element.addEventListener(eventName, func, false); - }; - } else if (document.attachEvent) { - return function (element, eventName, func) { - element.attachEvent('on' + eventName, func); - }; - } - }(); + return undefined; + }; - Kibo.unregisterEvent = function () { - if (document.removeEventListener) { - return function (element, eventName, func) { - element.removeEventListener(eventName, func, false); - }; - } else if (document.detachEvent) { - return function (element, eventName, func) { - element.detachEvent('on' + eventName, func); - }; - } - }(); + ID3._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. - Kibo.stringContains = function (string, substring) { - return string.indexOf(substring) !== -1; - }; + var pts33Bit = data[3] & 0x1; + var timestamp = (data[4] << 23) + (data[5] << 15) + (data[6] << 7) + data[7]; + timestamp /= 45; - Kibo.neatString = function (string) { - return string.replace(/^\s+|\s+$/g, '').replace(/\s+/g, ' '); - }; + if (pts33Bit) { + timestamp += 47721858.84; + } // 2^32 / 90 - Kibo.capitalize = function (string) { - return string.toLowerCase().replace(/^./, function (match) { - return match.toUpperCase(); - }); - }; - Kibo.isString = function (what) { - return Kibo.stringContains(Object.prototype.toString.call(what), 'String'); - }; + return Math.round(timestamp); + } - Kibo.arrayIncludes = function () { - if (Array.prototype.indexOf) { - return function (haystack, needle) { - return haystack.indexOf(needle) !== -1; - }; - } else { - return function (haystack, needle) { - for (var i = 0; i < haystack.length; i++) { - if (haystack[i] === needle) { - return true; - } - } - return false; - }; - } - }(); - - Kibo.extractModifiers = function (keyCombination) { - var modifiers, i; - modifiers = []; - for (i = 0; i < Kibo.MODIFIERS.length; i++) { - if (Kibo.stringContains(keyCombination, Kibo.MODIFIERS[i])) { - modifiers.push(Kibo.MODIFIERS[i]); - } - } - return modifiers; - }; - - Kibo.extractKey = function (keyCombination) { - var keys, i; - keys = Kibo.neatString(keyCombination).split(' '); - for (i = 0; i < keys.length; i++) { - if (!Kibo.arrayIncludes(Kibo.MODIFIERS, keys[i])) { - return keys[i]; - } - } - }; + return undefined; + }; - Kibo.modifiersAndKey = function (keyCombination) { - var result, key; + ID3._decodePrivFrame = function _decodePrivFrame(frame) { + /* + Format: \0 + */ + if (frame.size < 2) { + return undefined; + } - if (Kibo.stringContains(keyCombination, 'any')) { - return Kibo.neatString(keyCombination).split(' ').slice(0, 2).join(' '); - } + var owner = ID3._utf8ArrayToStr(frame.data, true); - result = Kibo.extractModifiers(keyCombination); + var privateData = new Uint8Array(frame.data.subarray(owner.length + 1)); + return { + key: frame.type, + info: owner, + data: privateData.buffer + }; + }; - key = Kibo.extractKey(keyCombination); - if (key && !Kibo.arrayIncludes(Kibo.MODIFIERS, key)) { - result.push(key); - } + ID3._decodeTextFrame = function _decodeTextFrame(frame) { + if (frame.size < 2) { + return undefined; + } - return result.join(' '); - }; + if (frame.type === 'TXXX') { + /* + Format: + [0] = {Text Encoding} + [1-?] = {Description}\0{Value} + */ + var index = 1; - Kibo.keyName = function (keyCode) { - return Kibo.KEY_NAMES_BY_CODE[keyCode + '']; - }; + var description = ID3._utf8ArrayToStr(frame.data.subarray(index), true); - Kibo.keyCode = function (keyName) { - return +Kibo.KEY_CODES_BY_NAME[keyName]; - }; + index += description.length + 1; - Kibo.prototype.initialize = function () { - var i, - that = this; + var value = ID3._utf8ArrayToStr(frame.data.subarray(index)); - this.lastKeyCode = -1; - this.lastModifiers = {}; - for (i = 0; i < Kibo.MODIFIERS.length; i++) { - this.lastModifiers[Kibo.MODIFIERS[i]] = false; - } + return { + key: frame.type, + info: description, + data: value + }; + } else { + /* + Format: + [0] = {Text Encoding} + [1-?] = {Value} + */ + var text = ID3._utf8ArrayToStr(frame.data.subarray(1)); - this.keysDown = { any: [] }; - this.keysUp = { any: [] }; - this.downHandler = this.handler('down'); - this.upHandler = this.handler('up'); - - Kibo.registerEvent(this.element, 'keydown', this.downHandler); - Kibo.registerEvent(this.element, 'keyup', this.upHandler); - Kibo.registerEvent(window, 'unload', function unloader() { - Kibo.unregisterEvent(that.element, 'keydown', that.downHandler); - Kibo.unregisterEvent(that.element, 'keyup', that.upHandler); - Kibo.unregisterEvent(window, 'unload', unloader); - }); - }; + return { + key: frame.type, + data: text + }; + } + }; - Kibo.prototype.handler = function (upOrDown) { - var that = this; - return function (e) { - var i, registeredKeys, lastModifiersAndKey; + ID3._decodeURLFrame = function _decodeURLFrame(frame) { + if (frame.type === 'WXXX') { + /* + Format: + [0] = {Text Encoding} + [1-?] = {Description}\0{URL} + */ + if (frame.size < 2) { + return undefined; + } - e = e || window.event; + var index = 1; - that.lastKeyCode = e.keyCode; - for (i = 0; i < Kibo.MODIFIERS.length; i++) { - that.lastModifiers[Kibo.MODIFIERS[i]] = e[Kibo.MODIFIERS[i] + 'Key']; - } - if (Kibo.arrayIncludes(Kibo.MODIFIERS, Kibo.keyName(that.lastKeyCode))) { - that.lastModifiers[Kibo.keyName(that.lastKeyCode)] = true; - } + var description = ID3._utf8ArrayToStr(frame.data.subarray(index)); - registeredKeys = that['keys' + Kibo.capitalize(upOrDown)]; + index += description.length + 1; - for (i = 0; i < registeredKeys.any.length; i++) { - if (registeredKeys.any[i](e) === false && e.preventDefault) { - e.preventDefault(); - } - } + var value = ID3._utf8ArrayToStr(frame.data.subarray(index)); - lastModifiersAndKey = that.lastModifiersAndKey(); - if (registeredKeys[lastModifiersAndKey]) { - for (i = 0; i < registeredKeys[lastModifiersAndKey].length; i++) { - if (registeredKeys[lastModifiersAndKey][i](e) === false && e.preventDefault) { - e.preventDefault(); - } - } - } - }; - }; + return { + key: frame.type, + info: description, + data: value + }; + } else { + /* + Format: + [0-?] = {URL} + */ + var url = ID3._utf8ArrayToStr(frame.data); - Kibo.prototype.registerKeys = function (upOrDown, newKeys, func) { - var i, - keys, - registeredKeys = this['keys' + Kibo.capitalize(upOrDown)]; + return { + key: frame.type, + data: url + }; + } + } // http://stackoverflow.com/questions/8936984/uint8array-to-string-in-javascript/22373197 + // http://www.onicos.com/staff/iz/amuse/javascript/expert/utf.txt - if (Kibo.isString(newKeys)) { - newKeys = [newKeys]; - } + /* utf.js - UTF-8 <=> UTF-16 convertion + * + * Copyright (C) 1999 Masanao Izumo + * Version: 1.0 + * LastModified: Dec 25 1999 + * This library is free. You can redistribute it and/or modify it. + */ + ; - for (i = 0; i < newKeys.length; i++) { - keys = newKeys[i]; - keys = Kibo.modifiersAndKey(keys + ''); + ID3._utf8ArrayToStr = function _utf8ArrayToStr(array, exitOnNull) { + if (exitOnNull === void 0) { + exitOnNull = false; + } - if (registeredKeys[keys]) { - registeredKeys[keys].push(func); - } else { - registeredKeys[keys] = [func]; - } - } + var decoder = getTextDecoder(); - return this; - }; + if (decoder) { + var decoded = decoder.decode(array); -// jshint maxdepth:5 - Kibo.prototype.unregisterKeys = function (upOrDown, newKeys, func) { - var i, - j, - keys, - registeredKeys = this['keys' + Kibo.capitalize(upOrDown)]; - - if (Kibo.isString(newKeys)) { - newKeys = [newKeys]; - } + 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 - for (i = 0; i < newKeys.length; i++) { - keys = newKeys[i]; - keys = Kibo.modifiersAndKey(keys + ''); - if (func === null) { - delete registeredKeys[keys]; - } else { - if (registeredKeys[keys]) { - for (j = 0; j < registeredKeys[keys].length; j++) { - if (String(registeredKeys[keys][j]) === String(func)) { - registeredKeys[keys].splice(j, 1); - break; - } - } - } - } - } + return decoded.replace(/\0/g, ''); + } - return this; - }; + var len = array.length; + var c; + var char2; + var char3; + var out = ''; + var i = 0; - Kibo.prototype.off = function (keys) { - return this.unregisterKeys('down', keys, null); - }; + while (i < len) { + c = array[i++]; - Kibo.prototype.delegate = function (upOrDown, keys, func) { - return func !== null || func !== undefined ? this.registerKeys(upOrDown, keys, func) : this.unregisterKeys(upOrDown, keys, func); - }; + 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; + } - Kibo.prototype.down = function (keys, func) { - return this.delegate('down', keys, func); - }; + 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: + } + } - Kibo.prototype.up = function (keys, func) { - return this.delegate('up', keys, func); - }; + return out; + }; - Kibo.prototype.lastKey = function (modifier) { - if (!modifier) { - return Kibo.keyName(this.lastKeyCode); - } + return ID3; + }(); - return this.lastModifiers[modifier]; - }; + var decoder; - Kibo.prototype.lastModifiersAndKey = function () { - var result, i; + function getTextDecoder() { + var global = Object(_utils_get_self_scope__WEBPACK_IMPORTED_MODULE_0__["getSelfScope"])(); // safeguard for code that might run both on worker and main thread - result = []; - for (i = 0; i < Kibo.MODIFIERS.length; i++) { - if (this.lastKey(Kibo.MODIFIERS[i])) { - result.push(Kibo.MODIFIERS[i]); - } - } + if (!decoder && typeof global.TextDecoder !== 'undefined') { + decoder = new global.TextDecoder('utf-8'); + } - if (!Kibo.arrayIncludes(result, this.lastKey())) { - result.push(this.lastKey()); - } + return decoder; + } - return result.join(' '); - }; + var utf8ArrayToStr = ID3._utf8ArrayToStr; + /* harmony default export */ __webpack_exports__["default"] = (ID3); - exports.default = Kibo; - module.exports = exports['default']; - /***/ }), - /* 150 */ - /***/ (function(module, exports, __webpack_require__) { + /***/ }), - "use strict"; + /***/ "./src/demux/mp4demuxer.js": + /*!*********************************!*\ + !*** ./src/demux/mp4demuxer.js ***! + \*********************************/ + /*! 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.js"); + /* harmony import */ var _events__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../events */ "./src/events.js"); + /** + * MP4 demuxer + */ - Object.defineProperty(exports, "__esModule", { - value: true - }); - var _core_factory = __webpack_require__(151); + var UINT32_MAX = Math.pow(2, 32) - 1; - var _core_factory2 = _interopRequireDefault(_core_factory); + var MP4Demuxer = + /*#__PURE__*/ + function () { + function MP4Demuxer(observer, remuxer) { + this.observer = observer; + this.remuxer = remuxer; + } - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + var _proto = MP4Demuxer.prototype; - exports.default = _core_factory2.default; - module.exports = exports['default']; + _proto.resetTimeStamp = function resetTimeStamp(initPTS) { + this.initPTS = initPTS; + }; - /***/ }), - /* 151 */ - /***/ (function(module, exports, __webpack_require__) { + _proto.resetInitSegment = function resetInitSegment(initSegment, audioCodec, videoCodec, duration) { + // jshint unused:false + if (initSegment && initSegment.byteLength) { + var initData = this.initData = MP4Demuxer.parseInitSegment(initSegment); // default audio codec if nothing specified + // TODO : extract that from initsegment - "use strict"; + if (audioCodec == null) { + audioCodec = 'mp4a.40.5'; + } + if (videoCodec == null) { + videoCodec = 'avc1.42e01e'; + } - Object.defineProperty(exports, "__esModule", { - value: true - }); + var tracks = {}; - var _classCallCheck2 = __webpack_require__(0); + if (initData.audio && initData.video) { + tracks.audiovideo = { + container: 'video/mp4', + codec: audioCodec + ',' + videoCodec, + initSegment: duration ? initSegment : null + }; + } else { + if (initData.audio) { + tracks.audio = { + container: 'audio/mp4', + codec: audioCodec, + initSegment: duration ? initSegment : null + }; + } - var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + if (initData.video) { + tracks.video = { + container: 'video/mp4', + codec: videoCodec, + initSegment: duration ? initSegment : null + }; + } + } - var _possibleConstructorReturn2 = __webpack_require__(1); + this.observer.trigger(_events__WEBPACK_IMPORTED_MODULE_1__["default"].FRAG_PARSING_INIT_SEGMENT, { + tracks: tracks + }); + } else { + if (audioCodec) { + this.audioCodec = audioCodec; + } - var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); + if (videoCodec) { + this.videoCodec = videoCodec; + } + } + }; - var _createClass2 = __webpack_require__(3); + MP4Demuxer.probe = function probe(data) { + // ensure we find a moof box in the first 16 kB + return MP4Demuxer.findBox({ + data: data, + start: 0, + end: Math.min(data.length, 16384) + }, ['moof']).length > 0; + }; - var _createClass3 = _interopRequireDefault(_createClass2); + MP4Demuxer.bin2str = function bin2str(buffer) { + return String.fromCharCode.apply(null, buffer); + }; - var _inherits2 = __webpack_require__(2); + MP4Demuxer.readUint16 = function readUint16(buffer, offset) { + if (buffer.data) { + offset += buffer.start; + buffer = buffer.data; + } - var _inherits3 = _interopRequireDefault(_inherits2); + var val = buffer[offset] << 8 | buffer[offset + 1]; + return val < 0 ? 65536 + val : val; + }; - var _base_object = __webpack_require__(15); + MP4Demuxer.readUint32 = function readUint32(buffer, offset) { + if (buffer.data) { + offset += buffer.start; + buffer = buffer.data; + } - var _base_object2 = _interopRequireDefault(_base_object); + var val = buffer[offset] << 24 | buffer[offset + 1] << 16 | buffer[offset + 2] << 8 | buffer[offset + 3]; + return val < 0 ? 4294967296 + val : val; + }; - var _core = __webpack_require__(77); + MP4Demuxer.writeUint32 = function writeUint32(buffer, offset, value) { + if (buffer.data) { + offset += buffer.start; + buffer = buffer.data; + } - var _core2 = _interopRequireDefault(_core); + 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 + ; + + MP4Demuxer.findBox = function findBox(data, path) { + var results = [], + i, + size, + type, + end, + subresults, + start, + endbox; + + if (data.data) { + start = data.start; + end = data.end; + data = data.data; + } else { + start = 0; + end = data.byteLength; + } - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + if (!path.length) { + // short-circuit the search for empty paths + return null; + } - /** - * The Core Factory is responsible for instantiate the core and it's plugins. - * @class CoreFactory - * @constructor - * @extends BaseObject - * @module components - */ -// Copyright 2014 Globo.com Player authors. All rights reserved. -// Use of this source code is governed by a BSD-style -// license that can be found in the LICENSE file. + for (i = start; i < end;) { + size = MP4Demuxer.readUint32(data, i); + type = MP4Demuxer.bin2str(data.subarray(i + 4, i + 8)); + 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 + subresults = MP4Demuxer.findBox({ + data: data, + start: i + 8, + end: endbox + }, path.slice(1)); + + if (subresults.length) { + results = results.concat(subresults); + } + } + } - var CoreFactory = function (_BaseObject) { - (0, _inherits3.default)(CoreFactory, _BaseObject); - (0, _createClass3.default)(CoreFactory, [{ - key: 'loader', - get: function get() { - return this.player.loader; - } + i = endbox; + } // we've finished searching all of data - /** - * it builds the core factory - * @method constructor - * @param {Player} player the player object - */ - }]); + return results; + }; - function CoreFactory(player) { - (0, _classCallCheck3.default)(this, CoreFactory); + MP4Demuxer.parseSegmentIndex = function parseSegmentIndex(initSegment) { + var moov = MP4Demuxer.findBox(initSegment, ['moov'])[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 _this = (0, _possibleConstructorReturn3.default)(this, _BaseObject.call(this)); + var index = 0; + var sidx = MP4Demuxer.findBox(initSegment, ['sidx']); + var references; - _this.player = player; - _this._options = player.options; - return _this; - } + if (!sidx || !sidx[0]) { + return null; + } - /** - * creates a core and its plugins - * @method create - * @return {Core} created core - */ + references = []; + sidx = sidx[0]; + var version = sidx.data[0]; // set initial offset, we skip the reference ID (not needed) + index = version === 0 ? 8 : 16; + var timescale = MP4Demuxer.readUint32(sidx, index); + index += 4; // TODO: parse earliestPresentationTime and firstOffset + // usually zero in our case - CoreFactory.prototype.create = function create() { - this.options.loader = this.loader; - this.core = new _core2.default(this.options); - this.addCorePlugins(); - this.core.createContainers(this.options); - return this.core; - }; + var earliestPresentationTime = 0; + var firstOffset = 0; - /** - * given the core plugins (`loader.corePlugins`) it builds each one - * @method addCorePlugins - * @return {Core} the core with all plugins - */ + if (version === 0) { + index += 8; + } else { + index += 16; + } // skip reserved - CoreFactory.prototype.addCorePlugins = function addCorePlugins() { - var _this2 = this; + index += 2; + var startByte = sidx.end + firstOffset; + var referencesCount = MP4Demuxer.readUint16(sidx, index); + index += 2; - this.loader.corePlugins.forEach(function (Plugin) { - var plugin = new Plugin(_this2.core); - _this2.core.addPlugin(plugin); - _this2.setupExternalInterface(plugin); - }); - return this.core; - }; + for (var i = 0; i < referencesCount; i++) { + var referenceIndex = index; + var referenceInfo = MP4Demuxer.readUint32(sidx, referenceIndex); + referenceIndex += 4; + var referenceSize = referenceInfo & 0x7FFFFFFF; + var referenceType = (referenceInfo & 0x80000000) >>> 31; - CoreFactory.prototype.setupExternalInterface = function setupExternalInterface(plugin) { - var externalFunctions = plugin.getExternalInterface(); - for (var key in externalFunctions) { - this.player[key] = externalFunctions[key].bind(plugin); - this.core[key] = externalFunctions[key].bind(plugin); - } - }; + if (referenceType === 1) { + console.warn('SIDX has hierarchical references (not supported)'); + return; + } - return CoreFactory; - }(_base_object2.default); + var subsegmentDuration = MP4Demuxer.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|. - exports.default = CoreFactory; - module.exports = exports['default']; + referenceIndex += 4; // skip to next ref - /***/ }), - /* 152 */ - /***/ (function(module, exports, __webpack_require__) { + index = referenceIndex; + } - "use strict"; + 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 init {Uint8Array} the bytes of the init segment + * @return {object} a hash of track type to timescale values or null if + * the init segment is malformed. + */ + ; + + MP4Demuxer.parseInitSegment = function parseInitSegment(initSegment) { + var result = []; + var traks = MP4Demuxer.findBox(initSegment, ['moov', 'trak']); + traks.forEach(function (trak) { + var tkhd = MP4Demuxer.findBox(trak, ['tkhd'])[0]; + + if (tkhd) { + var version = tkhd.data[tkhd.start]; + var index = version === 0 ? 12 : 20; + var trackId = MP4Demuxer.readUint32(tkhd, index); + var mdhd = MP4Demuxer.findBox(trak, ['mdia', 'mdhd'])[0]; + + if (mdhd) { + version = mdhd.data[mdhd.start]; + index = version === 0 ? 12 : 20; + var timescale = MP4Demuxer.readUint32(mdhd, index); + var hdlr = MP4Demuxer.findBox(trak, ['mdia', 'hdlr'])[0]; + + if (hdlr) { + var hdlrType = MP4Demuxer.bin2str(hdlr.data.subarray(hdlr.start + 8, hdlr.start + 12)); + var type = { + 'soun': 'audio', + 'vide': 'video' + }[hdlrType]; + + if (type) { + // extract codec info. TODO : parse codec details to be able to build MIME type + var codecBox = MP4Demuxer.findBox(trak, ['mdia', 'minf', 'stbl', 'stsd']); + + if (codecBox.length) { + codecBox = codecBox[0]; + var codecType = MP4Demuxer.bin2str(codecBox.data.subarray(codecBox.start + 12, codecBox.start + 16)); + _utils_logger__WEBPACK_IMPORTED_MODULE_0__["logger"].log("MP4Demuxer:" + type + ":" + codecType + " found"); + } + result[trackId] = { + timescale: timescale, + type: type + }; + result[type] = { + timescale: timescale, + id: trackId + }; + } + } + } + } + }); + 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 timescale {object} a hash of track ids to timescale values. + * @return {number} the earliest base media decode start time for the + * fragment, in seconds + */ + ; + + MP4Demuxer.getStartDTS = function getStartDTS(initData, fragment) { + var trafs, baseTimes, result; // we need info from two childrend of each track fragment box + + trafs = MP4Demuxer.findBox(fragment, ['moof', 'traf']); // determine the start times for each track + + baseTimes = [].concat.apply([], trafs.map(function (traf) { + return MP4Demuxer.findBox(traf, ['tfhd']).map(function (tfhd) { + var id, scale, baseTime; // get the track id from the tfhd + + id = MP4Demuxer.readUint32(tfhd, 4); // assume a 90kHz clock if no timescale was specified + + scale = initData[id].timescale || 90e3; // get the base media decode time from the tfdt + + baseTime = MP4Demuxer.findBox(traf, ['tfdt']).map(function (tfdt) { + var version, result; + version = tfdt.data[tfdt.start]; + result = MP4Demuxer.readUint32(tfdt, 4); + + if (version === 1) { + result *= Math.pow(2, 32); + result += MP4Demuxer.readUint32(tfdt, 8); + } - Object.defineProperty(exports, "__esModule", { - value: true - }); + return result; + })[0]; // convert base time to seconds - var _assign = __webpack_require__(12); + return baseTime / scale; + }); + })); // return the minimum - var _assign2 = _interopRequireDefault(_assign); + result = Math.min.apply(null, baseTimes); + return isFinite(result) ? result : 0; + }; - var _classCallCheck2 = __webpack_require__(0); + MP4Demuxer.offsetStartDTS = function offsetStartDTS(initData, fragment, timeOffset) { + MP4Demuxer.findBox(fragment, ['moof', 'traf']).map(function (traf) { + return MP4Demuxer.findBox(traf, ['tfhd']).map(function (tfhd) { + // get the track id from the tfhd + var id = MP4Demuxer.readUint32(tfhd, 4); // assume a 90kHz clock if no timescale was specified - var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + var timescale = initData[id].timescale || 90e3; // get the base media decode time from the tfdt - var _possibleConstructorReturn2 = __webpack_require__(1); + MP4Demuxer.findBox(traf, ['tfdt']).map(function (tfdt) { + var version = tfdt.data[tfdt.start]; + var baseMediaDecodeTime = MP4Demuxer.readUint32(tfdt, 4); - var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); + if (version === 0) { + MP4Demuxer.writeUint32(tfdt, 4, baseMediaDecodeTime - timeOffset * timescale); + } else { + baseMediaDecodeTime *= Math.pow(2, 32); + baseMediaDecodeTime += MP4Demuxer.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)); + MP4Demuxer.writeUint32(tfdt, 4, upper); + MP4Demuxer.writeUint32(tfdt, 8, lower); + } + }); + }); + }); + } // feed incoming data to the front of the parsing pipeline + ; - var _createClass2 = __webpack_require__(3); + _proto.append = function append(data, timeOffset, contiguous, accurateTimeOffset) { + var initData = this.initData; - var _createClass3 = _interopRequireDefault(_createClass2); + if (!initData) { + this.resetInitSegment(data, this.audioCodec, this.videoCodec, false); + initData = this.initData; + } - var _inherits2 = __webpack_require__(2); + var startDTS, + initPTS = this.initPTS; - var _inherits3 = _interopRequireDefault(_inherits2); + if (initPTS === undefined) { + var _startDTS = MP4Demuxer.getStartDTS(initData, data); - var _utils = __webpack_require__(5); + this.initPTS = initPTS = _startDTS - timeOffset; + this.observer.trigger(_events__WEBPACK_IMPORTED_MODULE_1__["default"].INIT_PTS_FOUND, { + initPTS: initPTS + }); + } - var _styler = __webpack_require__(78); + MP4Demuxer.offsetStartDTS(initData, data, initPTS); + startDTS = MP4Demuxer.getStartDTS(initData, data); + this.remuxer.remux(initData.audio, initData.video, null, null, startDTS, contiguous, accurateTimeOffset, data); + }; - var _styler2 = _interopRequireDefault(_styler); + _proto.destroy = function destroy() {}; - var _events = __webpack_require__(4); + return MP4Demuxer; + }(); - var _events2 = _interopRequireDefault(_events); + /* harmony default export */ __webpack_exports__["default"] = (MP4Demuxer); - var _ui_object = __webpack_require__(30); + /***/ }), - var _ui_object2 = _interopRequireDefault(_ui_object); + /***/ "./src/errors.ts": + /*!***********************!*\ + !*** ./src/errors.ts ***! + \***********************/ + /*! exports provided: ErrorTypes, ErrorDetails */ + /***/ (function(module, __webpack_exports__, __webpack_require__) { - var _ui_core_plugin = __webpack_require__(23); + "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 + */ - var _ui_core_plugin2 = _interopRequireDefault(_ui_core_plugin); + (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_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["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_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 || (ErrorDetails = {})); + + /***/ }), + + /***/ "./src/events.js": + /*!***********************!*\ + !*** ./src/events.js ***! + \***********************/ + /*! exports provided: default */ + /***/ (function(module, __webpack_exports__, __webpack_require__) { + + "use strict"; + __webpack_require__.r(__webpack_exports__); + /** + * @readonly + * @enum {string} + */ + var HlsEvents = { + // fired before MediaSource is attaching to media element - data: { media } + MEDIA_ATTACHING: 'hlsMediaAttaching', + // fired when MediaSource has been succesfully attached to media element - data: { } + MEDIA_ATTACHED: 'hlsMediaAttached', + // fired before detaching MediaSource from media element - data: { } + MEDIA_DETACHING: 'hlsMediaDetaching', + // fired when MediaSource has been detached from media element - data: { } + MEDIA_DETACHED: 'hlsMediaDetached', + // fired when we buffer is going to be reset - data: { } + BUFFER_RESET: 'hlsBufferReset', + // fired when we know about the codecs that we need buffers for to push into - data: {tracks : { container, codec, levelCodec, initSegment, metadata }} + BUFFER_CODECS: 'hlsBufferCodecs', + // fired when sourcebuffers have been created - data: { tracks : tracks } + BUFFER_CREATED: 'hlsBufferCreated', + // fired when we append a segment to the buffer - data: { segment: segment object } + BUFFER_APPENDING: 'hlsBufferAppending', + // fired when we are done with appending a media segment to the buffer - data : { parent : segment parent that triggered BUFFER_APPENDING, pending : nb of segments waiting for appending for this segment parent} + BUFFER_APPENDED: 'hlsBufferAppended', + // fired when the stream is finished and we want to notify the media buffer that there will be no more data - data: { } + BUFFER_EOS: 'hlsBufferEos', + // fired when the media buffer should be flushed - data { startOffset, endOffset } + BUFFER_FLUSHING: 'hlsBufferFlushing', + // fired when the media buffer has been flushed - data: { } + BUFFER_FLUSHED: 'hlsBufferFlushed', + // fired to signal that a manifest loading starts - data: { url : manifestURL} + MANIFEST_LOADING: 'hlsManifestLoading', + // fired after manifest has been loaded - data: { levels : [available quality levels], audioTracks : [ available audio tracks], url : manifestURL, stats : { trequest, tfirst, tload, mtime}} + MANIFEST_LOADED: 'hlsManifestLoaded', + // fired after manifest has been parsed - data: { levels : [available quality levels], firstLevel : index of first quality level appearing in Manifest} + MANIFEST_PARSED: 'hlsManifestParsed', + // fired when a level switch is requested - data: { level : id of new level } + LEVEL_SWITCHING: 'hlsLevelSwitching', + // fired when a level switch is effective - data: { level : id of new level } + LEVEL_SWITCHED: 'hlsLevelSwitched', + // fired when a level playlist loading starts - data: { url : level URL, level : id of level being loaded} + LEVEL_LOADING: 'hlsLevelLoading', + // fired when a level playlist loading finishes - data: { details : levelDetails object, level : id of loaded level, stats : { trequest, tfirst, tload, mtime} } + LEVEL_LOADED: 'hlsLevelLoaded', + // fired when a level's details have been updated based on previous details, after it has been loaded - data: { details : levelDetails object, level : id of updated level } + LEVEL_UPDATED: 'hlsLevelUpdated', + // fired when a level's PTS information has been updated after parsing a fragment - data: { details : levelDetails object, level : id of updated level, drift: PTS drift observed when parsing last fragment } + LEVEL_PTS_UPDATED: 'hlsLevelPtsUpdated', + // fired to notify that audio track lists has been updated - data: { audioTracks : audioTracks } + AUDIO_TRACKS_UPDATED: 'hlsAudioTracksUpdated', + // fired when an audio track switching is requested - data: { id : audio track id } + AUDIO_TRACK_SWITCHING: 'hlsAudioTrackSwitching', + // fired when an audio track switch actually occurs - data: { id : audio track id } + AUDIO_TRACK_SWITCHED: 'hlsAudioTrackSwitched', + // fired when an audio track loading starts - data: { url : audio track URL, id : audio track id } + AUDIO_TRACK_LOADING: 'hlsAudioTrackLoading', + // fired when an audio track loading finishes - data: { details : levelDetails object, id : audio track id, stats : { trequest, tfirst, tload, mtime } } + AUDIO_TRACK_LOADED: 'hlsAudioTrackLoaded', + // fired to notify that subtitle track lists has been updated - data: { subtitleTracks : subtitleTracks } + SUBTITLE_TRACKS_UPDATED: 'hlsSubtitleTracksUpdated', + // fired when an subtitle track switch occurs - data: { id : subtitle track id } + SUBTITLE_TRACK_SWITCH: 'hlsSubtitleTrackSwitch', + // fired when a subtitle track loading starts - data: { url : subtitle track URL, id : subtitle track id } + SUBTITLE_TRACK_LOADING: 'hlsSubtitleTrackLoading', + // fired when a subtitle track loading finishes - data: { details : levelDetails object, id : subtitle track id, stats : { trequest, tfirst, tload, mtime } } + SUBTITLE_TRACK_LOADED: 'hlsSubtitleTrackLoaded', + // fired when a subtitle fragment has been processed - data: { success : boolean, frag : the processed frag } + SUBTITLE_FRAG_PROCESSED: 'hlsSubtitleFragProcessed', + // fired when the first timestamp is found - data: { id : demuxer id, initPTS: initPTS, frag : fragment object } + INIT_PTS_FOUND: 'hlsInitPtsFound', + // fired when a fragment loading starts - data: { frag : fragment object } + FRAG_LOADING: 'hlsFragLoading', + // fired when a fragment loading is progressing - data: { frag : fragment object, { trequest, tfirst, loaded } } + FRAG_LOAD_PROGRESS: 'hlsFragLoadProgress', + // Identifier for fragment load aborting for emergency switch down - data: { frag : fragment object } + FRAG_LOAD_EMERGENCY_ABORTED: 'hlsFragLoadEmergencyAborted', + // fired when a fragment loading is completed - data: { frag : fragment object, payload : fragment payload, stats : { trequest, tfirst, tload, length } } + FRAG_LOADED: 'hlsFragLoaded', + // fired when a fragment has finished decrypting - data: { id : demuxer id, frag: fragment object, payload : fragment payload, stats : { tstart, tdecrypt } } + FRAG_DECRYPTED: 'hlsFragDecrypted', + // fired when Init Segment has been extracted from fragment - data: { id : demuxer id, frag: fragment object, moov : moov MP4 box, codecs : codecs found while parsing fragment } + FRAG_PARSING_INIT_SEGMENT: 'hlsFragParsingInitSegment', + // fired when parsing sei text is completed - data: { id : demuxer id, frag: fragment object, samples : [ sei samples pes ] } + FRAG_PARSING_USERDATA: 'hlsFragParsingUserdata', + // fired when parsing id3 is completed - data: { id : demuxer id, frag: fragment object, samples : [ id3 samples pes ] } + FRAG_PARSING_METADATA: 'hlsFragParsingMetadata', + // fired when data have been extracted from fragment - data: { id : demuxer id, frag: fragment object, data1 : moof MP4 box or TS fragments, data2 : mdat MP4 box or null} + FRAG_PARSING_DATA: 'hlsFragParsingData', + // fired when fragment parsing is completed - data: { id : demuxer id, frag: fragment object } + FRAG_PARSED: 'hlsFragParsed', + // fired when fragment remuxed MP4 boxes have all been appended into SourceBuffer - data: { id : demuxer id, frag : fragment object, stats : { trequest, tfirst, tload, tparsed, tbuffered, length, bwEstimate } } + FRAG_BUFFERED: 'hlsFragBuffered', + // fired when fragment matching with current media position is changing - data : { id : demuxer id, frag : fragment object } + FRAG_CHANGED: 'hlsFragChanged', + // Identifier for a FPS drop event - data: { curentDropped, currentDecoded, totalDroppedFrames } + FPS_DROP: 'hlsFpsDrop', + // triggered when FPS drop triggers auto level capping - data: { level, droppedlevel } + FPS_DROP_LEVEL_CAPPING: 'hlsFpsDropLevelCapping', + // Identifier for an error event - data: { type : error type, details : error details, fatal : if true, hls.js cannot/will not try to recover, if false, hls.js will try to recover,other error specific data } + ERROR: 'hlsError', + // fired when hls.js instance starts destroying. Different from MEDIA_DETACHED as one could want to detach and reattach a media to the instance of hls.js to handle mid-rolls for example - data: { } + DESTROYING: 'hlsDestroying', + // fired when a decrypt key loading starts - data: { frag : fragment object } + KEY_LOADING: 'hlsKeyLoading', + // fired when a decrypt key loading is completed - data: { frag : fragment object, payload : key payload, stats : { trequest, tfirst, tload, length } } + KEY_LOADED: 'hlsKeyLoaded', + // fired upon stream controller state transitions - data: { previousState, nextState } + STREAM_STATE_TRANSITION: 'hlsStreamStateTransition', + // fired when the live back buffer is reached defined by the liveBackBufferLength config option - data : { bufferEnd: number } + LIVE_BACK_BUFFER_REACHED: 'hlsLiveBackBufferReached' + }; + /* harmony default export */ __webpack_exports__["default"] = (HlsEvents); + + /***/ }), + + /***/ "./src/hls.ts": + /*!*********************************!*\ + !*** ./src/hls.ts + 50 modules ***! + \*********************************/ + /*! exports provided: default */ + /*! ModuleConcatenation bailout: Cannot concat with ./src/crypt/decrypter.js because of ./src/demux/demuxer-worker.js */ + /*! ModuleConcatenation bailout: Cannot concat with ./src/demux/demuxer-inline.js because of ./src/demux/demuxer-worker.js */ + /*! ModuleConcatenation bailout: Cannot concat with ./src/demux/id3.js because of ./src/demux/demuxer-worker.js */ + /*! ModuleConcatenation bailout: Cannot concat with ./src/demux/mp4demuxer.js because of ./src/demux/demuxer-worker.js */ + /*! ModuleConcatenation bailout: Cannot concat with ./src/errors.ts because of ./src/demux/demuxer-worker.js */ + /*! ModuleConcatenation bailout: Cannot concat with ./src/events.js because of ./src/demux/demuxer-worker.js */ + /*! ModuleConcatenation bailout: Cannot concat with ./src/polyfills/number-isFinite.js because of ./src/demux/demuxer-worker.js */ + /*! ModuleConcatenation bailout: Cannot concat with ./src/utils/get-self-scope.js because of ./src/demux/demuxer-worker.js */ + /*! ModuleConcatenation bailout: Cannot concat with ./src/utils/logger.js because of ./src/demux/demuxer-worker.js */ + /*! ModuleConcatenation bailout: Cannot concat with ./node_modules/eventemitter3/index.js (<- Module is not an ECMAScript module) */ + /*! ModuleConcatenation bailout: Cannot concat with ./node_modules/url-toolkit/src/url-toolkit.js (<- Module is not an ECMAScript module) */ + /***/ (function(module, __webpack_exports__, __webpack_require__) { + + "use strict"; + __webpack_require__.r(__webpack_exports__); + var cues_namespaceObject = {}; + __webpack_require__.r(cues_namespaceObject); + __webpack_require__.d(cues_namespaceObject, "newCue", function() { return newCue; }); - var _browser = __webpack_require__(14); +// EXTERNAL MODULE: ./node_modules/url-toolkit/src/url-toolkit.js + var url_toolkit = __webpack_require__("./node_modules/url-toolkit/src/url-toolkit.js"); - var _browser2 = _interopRequireDefault(_browser); +// EXTERNAL MODULE: ./src/errors.ts + var errors = __webpack_require__("./src/errors.ts"); - var _container_factory = __webpack_require__(153); +// EXTERNAL MODULE: ./src/polyfills/number-isFinite.js + var number_isFinite = __webpack_require__("./src/polyfills/number-isFinite.js"); - var _container_factory2 = _interopRequireDefault(_container_factory); +// EXTERNAL MODULE: ./src/events.js + var events = __webpack_require__("./src/events.js"); - var _mediator = __webpack_require__(31); +// EXTERNAL MODULE: ./src/utils/logger.js + var logger = __webpack_require__("./src/utils/logger.js"); - var _mediator2 = _interopRequireDefault(_mediator); +// CONCATENATED MODULE: ./src/event-handler.ts + /* +* +* All objects in the event handling chain should inherit from this class +* +*/ - var _player_info = __webpack_require__(40); - var _player_info2 = _interopRequireDefault(_player_info); - var _error = __webpack_require__(24); + var FORBIDDEN_EVENT_NAMES = { + 'hlsEventGeneric': true, + 'hlsHandlerDestroying': true, + 'hlsHandlerDestroyed': true + }; - var _error2 = _interopRequireDefault(_error); + var event_handler_EventHandler = + /*#__PURE__*/ + function () { + function EventHandler(hls) { + this.hls = void 0; + this.handledEvents = void 0; + this.useGenericHandler = void 0; + this.hls = hls; + this.onEvent = this.onEvent.bind(this); + + for (var _len = arguments.length, events = new Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) { + events[_key - 1] = arguments[_key]; + } - var _error_mixin = __webpack_require__(20); + this.handledEvents = events; + this.useGenericHandler = true; + this.registerListeners(); + } - var _error_mixin2 = _interopRequireDefault(_error_mixin); + var _proto = EventHandler.prototype; - var _clapprZepto = __webpack_require__(6); + _proto.destroy = function destroy() { + this.onHandlerDestroying(); + this.unregisterListeners(); + this.onHandlerDestroyed(); + }; - var _clapprZepto2 = _interopRequireDefault(_clapprZepto); + _proto.onHandlerDestroying = function onHandlerDestroying() {}; - __webpack_require__(159); + _proto.onHandlerDestroyed = function onHandlerDestroyed() {}; - var _fonts = __webpack_require__(161); + _proto.isEventHandler = function isEventHandler() { + return typeof this.handledEvents === 'object' && this.handledEvents.length && typeof this.onEvent === 'function'; + }; - var _fonts2 = _interopRequireDefault(_fonts); + _proto.registerListeners = function registerListeners() { + if (this.isEventHandler()) { + this.handledEvents.forEach(function (event) { + if (FORBIDDEN_EVENT_NAMES[event]) { + throw new Error('Forbidden event-name: ' + event); + } - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + this.hls.on(event, this.onEvent); + }, this); + } + }; -// Copyright 2014 Globo.com Player authors. All rights reserved. -// Use of this source code is governed by a BSD-style -// license that can be found in the LICENSE file. + _proto.unregisterListeners = function unregisterListeners() { + if (this.isEventHandler()) { + this.handledEvents.forEach(function (event) { + this.hls.off(event, this.onEvent); + }, this); + } + } + /** + * arguments: event (string), data (any) + */ + ; - var style = void 0; - - /** - * The Core is responsible to manage Containers, the mediator, MediaControl - * and the player state. - * @class Core - * @constructor - * @extends UIObject - * @module components - */ - - var Core = function (_UIObject) { - (0, _inherits3.default)(Core, _UIObject); - (0, _createClass3.default)(Core, [{ - key: 'events', - get: function get() { - return { - 'webkitfullscreenchange': 'handleFullscreenChange', - 'mousemove': 'onMouseMove', - 'mouseleave': 'onMouseLeave' - }; - } - }, { - key: 'attributes', - get: function get() { - return { - 'data-player': '', - tabindex: 9999 - }; - } + _proto.onEvent = function onEvent(event, data) { + this.onEventGeneric(event, data); + }; - /** - * checks if the core is ready. - * @property isReady - * @type {Boolean} `true` if the core is ready, otherwise `false` - */ + _proto.onEventGeneric = function onEventGeneric(event, data) { + var eventToFunction = function eventToFunction(event, data) { + var funcName = 'on' + event.replace('hls', ''); - }, { - key: 'isReady', - get: function get() { - return !!this.ready; - } + if (typeof this[funcName] !== 'function') { + throw new Error("Event " + event + " has no generic handler in this " + this.constructor.name + " class (tried " + funcName + ")"); + } - /** - * The internationalization plugin. - * @property i18n - * @type {Strings} - */ + return this[funcName].bind(this, data); + }; - }, { - key: 'i18n', - get: function get() { - return this.getPlugin('strings') || { t: function t(key) { - return key; - } }; - } + try { + eventToFunction.call(this, event, data).call(); + } catch (err) { + logger["logger"].error("An internal error happened while handling event " + event + ". Error message: \"" + err.message + "\". Here is a stacktrace:", err); + this.hls.trigger(events["default"].ERROR, { + type: errors["ErrorTypes"].OTHER_ERROR, + details: errors["ErrorDetails"].INTERNAL_EXCEPTION, + fatal: false, + event: event, + err: err + }); + } + }; - /** - * @deprecated - * This property currently exists for retrocompatibility reasons. - * If you want to access the media control instance, use the method getPlugin('media_control'). - */ + return EventHandler; + }(); - }, { - key: 'mediaControl', - get: function get() { - return this.getPlugin('media_control') || this.dummyMediaControl; - } - }, { - key: 'dummyMediaControl', - get: function get() { - if (this._dummyMediaControl) return this._dummyMediaControl; - this._dummyMediaControl = new _ui_core_plugin2.default(this); - return this._dummyMediaControl; - } + /* harmony default export */ var event_handler = (event_handler_EventHandler); +// CONCATENATED MODULE: ./src/types/loader.ts + /** + * `type` property values for this loaders' context object + * @enum + * + */ + var PlaylistContextType; + /** + * @enum {string} + */ - /** - * gets the active container reference. - * @property activeContainer - * @type {Object} - */ + (function (PlaylistContextType) { + PlaylistContextType["MANIFEST"] = "manifest"; + PlaylistContextType["LEVEL"] = "level"; + PlaylistContextType["AUDIO_TRACK"] = "audioTrack"; + PlaylistContextType["SUBTITLE_TRACK"] = "subtitleTrack"; + })(PlaylistContextType || (PlaylistContextType = {})); - }, { - key: 'activeContainer', - get: function get() { - return this._activeContainer; - } + var PlaylistLevelType; - /** - * sets the active container reference and trigger a event with the new reference. - * @property activeContainer - * @type {Object} - */ - , - set: function set(container) { - this._activeContainer = container; - this.trigger(_events2.default.CORE_ACTIVE_CONTAINER_CHANGED, this._activeContainer); - } + (function (PlaylistLevelType) { + PlaylistLevelType["MAIN"] = "main"; + PlaylistLevelType["AUDIO"] = "audio"; + PlaylistLevelType["SUBTITLE"] = "subtitle"; + })(PlaylistLevelType || (PlaylistLevelType = {})); +// EXTERNAL MODULE: ./src/demux/mp4demuxer.js + var mp4demuxer = __webpack_require__("./src/demux/mp4demuxer.js"); - /** - * gets the active playback reference. - * @property activePlayback - * @type {Object} - */ +// CONCATENATED MODULE: ./src/loader/level-key.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); } } - }, { - key: 'activePlayback', - get: function get() { - return this.activeContainer && this.activeContainer.playback; - } - }]); - - function Core(options) { - (0, _classCallCheck3.default)(this, Core); - - var _this = (0, _possibleConstructorReturn3.default)(this, _UIObject.call(this, options)); - - _this.playerError = new _error2.default(options, _this); - _this.configureDomRecycler(); - _this.playerInfo = _player_info2.default.getInstance(options.playerId); - _this.firstResize = true; - _this.plugins = []; - _this.containers = []; - //FIXME fullscreen api sucks - _this._boundFullscreenHandler = function () { - return _this.handleFullscreenChange(); - }; - (0, _clapprZepto2.default)(document).bind('fullscreenchange', _this._boundFullscreenHandler); - (0, _clapprZepto2.default)(document).bind('MSFullscreenChange', _this._boundFullscreenHandler); - (0, _clapprZepto2.default)(document).bind('mozfullscreenchange', _this._boundFullscreenHandler); - _browser2.default.isMobile && (0, _clapprZepto2.default)(window).bind('resize', function (o) { - _this.handleWindowResize(o); - }); - return _this; - } + function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; } - Core.prototype.configureDomRecycler = function configureDomRecycler() { - var recycleVideo = this.options && this.options.playback && this.options.playback.recycleVideo; - _utils.DomRecycler.configure({ recycleVideo: recycleVideo }); - }; - Core.prototype.createContainers = function createContainers(options) { - this.defer = _clapprZepto2.default.Deferred(); - this.defer.promise(this); - this.containerFactory = new _container_factory2.default(options, options.loader, this.i18n, this.playerError); - this.prepareContainers(); - }; - Core.prototype.prepareContainers = function prepareContainers() { - var _this2 = this; + var level_key_LevelKey = + /*#__PURE__*/ + function () { + function LevelKey(baseURI, relativeURI) { + this._uri = null; + this.baseuri = void 0; + this.reluri = void 0; + this.method = null; + this.key = null; + this.iv = null; + this.baseuri = baseURI; + this.reluri = relativeURI; + } - this.containerFactory.createContainers().then(function (containers) { - return _this2.setupContainers(containers); - }).then(function (containers) { - return _this2.resolveOnContainersReady(containers); - }); - }; + _createClass(LevelKey, [{ + key: "uri", + get: function get() { + if (!this._uri && this.reluri) { + this._uri = Object(url_toolkit["buildAbsoluteURL"])(this.baseuri, this.reluri, { + alwaysNormalize: true + }); + } - Core.prototype.updateSize = function updateSize() { - _utils.Fullscreen.isFullscreen() ? this.setFullscreen() : this.setPlayerSize(); - }; + return this._uri; + } + }]); - Core.prototype.setFullscreen = function setFullscreen() { - if (!_browser2.default.isiOS) { - this.$el.addClass('fullscreen'); - this.$el.removeAttr('style'); - this.playerInfo.previousSize = { width: this.options.width, height: this.options.height }; - this.playerInfo.currentSize = { width: (0, _clapprZepto2.default)(window).width(), height: (0, _clapprZepto2.default)(window).height() }; - } - }; + return LevelKey; + }(); - Core.prototype.setPlayerSize = function setPlayerSize() { - this.$el.removeClass('fullscreen'); - this.playerInfo.currentSize = this.playerInfo.previousSize; - this.playerInfo.previousSize = { width: (0, _clapprZepto2.default)(window).width(), height: (0, _clapprZepto2.default)(window).height() }; - this.resize(this.playerInfo.currentSize); - }; - Core.prototype.resize = function resize(options) { - if (!(0, _utils.isNumber)(options.height) && !(0, _utils.isNumber)(options.width)) { - this.el.style.height = '' + options.height; - this.el.style.width = '' + options.width; - } else { - this.el.style.height = options.height + 'px'; - this.el.style.width = options.width + 'px'; - } - this.playerInfo.previousSize = { width: this.options.width, height: this.options.height }; - this.options.width = options.width; - this.options.height = options.height; - this.playerInfo.currentSize = options; - this.triggerResize(this.playerInfo.currentSize); - }; +// CONCATENATED MODULE: ./src/loader/fragment.ts - Core.prototype.enableResizeObserver = function enableResizeObserver() { - var _this3 = this; - var checkSizeCallback = function checkSizeCallback() { - _this3.triggerResize({ width: _this3.el.clientWidth, height: _this3.el.clientHeight }); - }; - this.resizeObserverInterval = setInterval(checkSizeCallback, 500); - }; - Core.prototype.triggerResize = function triggerResize(newSize) { - var thereWasChange = this.firstResize || this.oldHeight !== newSize.height || this.oldWidth !== newSize.width; - if (thereWasChange) { - this.oldHeight = newSize.height; - this.oldWidth = newSize.width; - this.playerInfo.computedSize = newSize; - this.firstResize = false; - _mediator2.default.trigger(this.options.playerId + ':' + _events2.default.PLAYER_RESIZE, newSize); - this.trigger(_events2.default.CORE_RESIZE, newSize); - } - }; + function fragment_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); } } - Core.prototype.disableResizeObserver = function disableResizeObserver() { - this.resizeObserverInterval && clearInterval(this.resizeObserverInterval); - }; + function fragment_createClass(Constructor, protoProps, staticProps) { if (protoProps) fragment_defineProperties(Constructor.prototype, protoProps); if (staticProps) fragment_defineProperties(Constructor, staticProps); return Constructor; } - Core.prototype.resolveOnContainersReady = function resolveOnContainersReady(containers) { - var _this4 = this; - _clapprZepto2.default.when.apply(_clapprZepto2.default, containers).done(function () { - _this4.defer.resolve(_this4); - _this4.ready = true; - _this4.trigger(_events2.default.CORE_READY); - }); - }; - Core.prototype.addPlugin = function addPlugin(plugin) { - this.plugins.push(plugin); - }; - Core.prototype.hasPlugin = function hasPlugin(name) { - return !!this.getPlugin(name); - }; + var ElementaryStreamTypes; - Core.prototype.getPlugin = function getPlugin(name) { - return this.plugins.filter(function (plugin) { - return plugin.name === name; - })[0]; - }; + (function (ElementaryStreamTypes) { + ElementaryStreamTypes["AUDIO"] = "audio"; + ElementaryStreamTypes["VIDEO"] = "video"; + })(ElementaryStreamTypes || (ElementaryStreamTypes = {})); - Core.prototype.load = function load(sources, mimeType) { - this.options.mimeType = mimeType; - sources = sources && sources.constructor === Array ? sources : [sources]; - this.options.sources = sources; - this.containers.forEach(function (container) { - return container.destroy(); - }); - this.containerFactory.options = _clapprZepto2.default.extend(this.options, { sources: sources }); - this.prepareContainers(); - }; + var fragment_Fragment = + /*#__PURE__*/ + function () { + function Fragment() { + var _this$_elementaryStre; - Core.prototype.destroy = function destroy() { - this.disableResizeObserver(); - this.containers.forEach(function (container) { - return container.destroy(); - }); - this.plugins.forEach(function (plugin) { - return plugin.destroy(); - }); - this.$el.remove(); - (0, _clapprZepto2.default)(document).unbind('fullscreenchange', this._boundFullscreenHandler); - (0, _clapprZepto2.default)(document).unbind('MSFullscreenChange', this._boundFullscreenHandler); - (0, _clapprZepto2.default)(document).unbind('mozfullscreenchange', this._boundFullscreenHandler); - this.stopListening(); - }; + this._url = null; + this._byteRange = null; + this._decryptdata = null; + this._elementaryStreams = (_this$_elementaryStre = {}, _this$_elementaryStre[ElementaryStreamTypes.AUDIO] = false, _this$_elementaryStre[ElementaryStreamTypes.VIDEO] = false, _this$_elementaryStre); + this.deltaPTS = 0; + this.rawProgramDateTime = null; + this.programDateTime = null; + this.title = null; + this.tagList = []; + this.cc = void 0; + this.type = void 0; + this.relurl = void 0; + this.baseurl = void 0; + this.duration = void 0; + this.start = void 0; + this.sn = 0; + this.urlId = 0; + this.level = 0; + this.levelkey = void 0; + this.loader = void 0; + } - Core.prototype.handleFullscreenChange = function handleFullscreenChange() { - this.trigger(_events2.default.CORE_FULLSCREEN, _utils.Fullscreen.isFullscreen()); - this.updateSize(); - }; + var _proto = Fragment.prototype; - Core.prototype.handleWindowResize = function handleWindowResize(event) { - var orientation = window.innerWidth > window.innerHeight ? 'landscape' : 'portrait'; - if (this._screenOrientation === orientation) return; - this._screenOrientation = orientation; - this.triggerResize({ width: this.el.clientWidth, height: this.el.clientHeight }); - this.trigger(_events2.default.CORE_SCREEN_ORIENTATION_CHANGED, { - event: event, - orientation: this._screenOrientation - }); - }; + // setByteRange converts a EXT-X-BYTERANGE attribute into a two element array + _proto.setByteRange = function setByteRange(value, previousFrag) { + var params = value.split('@', 2); + var byteRange = []; - Core.prototype.removeContainer = function removeContainer(container) { - this.stopListening(container); - this.containers = this.containers.filter(function (c) { - return c !== container; - }); - }; + if (params.length === 1) { + byteRange[0] = previousFrag ? previousFrag.byteRangeEndOffset : 0; + } else { + byteRange[0] = parseInt(params[1]); + } - Core.prototype.setupContainer = function setupContainer(container) { - this.listenTo(container, _events2.default.CONTAINER_DESTROYED, this.removeContainer); - this.containers.push(container); - }; + byteRange[1] = parseInt(params[0]) + byteRange[0]; + this._byteRange = byteRange; + }; - Core.prototype.setupContainers = function setupContainers(containers) { - containers.forEach(this.setupContainer.bind(this)); - this.trigger(_events2.default.CORE_CONTAINERS_CREATED); - this.renderContainers(); - this.activeContainer = containers[0]; - this.render(); - this.appendToParent(); - return this.containers; - }; + /** + * @param {ElementaryStreamTypes} type + */ + _proto.addElementaryStream = function addElementaryStream(type) { + this._elementaryStreams[type] = true; + } + /** + * @param {ElementaryStreamTypes} type + */ + ; - Core.prototype.renderContainers = function renderContainers() { - var _this5 = this; + _proto.hasElementaryStream = function hasElementaryStream(type) { + return this._elementaryStreams[type] === true; + } + /** + * Utility method for parseLevelPlaylist to create an initialization vector for a given segment + * @param {number} segmentNumber - segment number to generate IV with + * @returns {Uint8Array} + */ + ; + + _proto.createInitializationVector = function createInitializationVector(segmentNumber) { + var uint8View = new Uint8Array(16); + + for (var i = 12; i < 16; i++) { + uint8View[i] = segmentNumber >> 8 * (15 - i) & 0xff; + } - this.containers.forEach(function (container) { - return _this5.el.appendChild(container.render().el); - }); - }; + 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 + */ + ; + + _proto.setDecryptDataFromLevelKey = function setDecryptDataFromLevelKey(levelkey, segmentNumber) { + var decryptdata = levelkey; + + if (levelkey && levelkey.method && levelkey.uri && !levelkey.iv) { + decryptdata = new level_key_LevelKey(levelkey.baseuri, levelkey.reluri); + decryptdata.method = levelkey.method; + decryptdata.iv = this.createInitializationVector(segmentNumber); + } - Core.prototype.createContainer = function createContainer(source, options) { - var container = this.containerFactory.createContainer(source, options); - this.setupContainer(container); - this.el.appendChild(container.render().el); - return container; - }; + return decryptdata; + }; - /** - * @deprecated - * This method currently exists for retrocompatibility reasons. - * If you want the current container reference, use the activeContainer getter. - */ + fragment_createClass(Fragment, [{ + key: "url", + get: function get() { + if (!this._url && this.relurl) { + this._url = Object(url_toolkit["buildAbsoluteURL"])(this.baseurl, this.relurl, { + alwaysNormalize: true + }); + } + return this._url; + }, + set: function set(value) { + this._url = value; + } + }, { + key: "byteRange", + get: function get() { + if (!this._byteRange) { + return []; + } - Core.prototype.getCurrentContainer = function getCurrentContainer() { - return this.activeContainer; - }; + return this._byteRange; + } + /** + * @type {number} + */ + + }, { + key: "byteRangeStartOffset", + get: function get() { + return this.byteRange[0]; + } + }, { + key: "byteRangeEndOffset", + get: function get() { + return this.byteRange[1]; + } + }, { + key: "decryptdata", + get: function get() { + if (!this.levelkey && !this._decryptdata) { + return null; + } - /** - * @deprecated - * This method currently exists for retrocompatibility reasons. - * If you want the current playback reference, use the activePlayback getter. - */ + 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) { + logger["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. + */ - Core.prototype.getCurrentPlayback = function getCurrentPlayback() { - return this.activePlayback; - }; - Core.prototype.getPlaybackType = function getPlaybackType() { - return this.activeContainer && this.activeContainer.getPlaybackType(); - }; + sn = 0; + } - Core.prototype.toggleFullscreen = function toggleFullscreen() { - if (!_utils.Fullscreen.isFullscreen()) { - _utils.Fullscreen.requestFullscreen(_browser2.default.isiOS ? this.activeContainer.el : this.el); - !_browser2.default.isiOS && this.$el.addClass('fullscreen'); - } else { - _utils.Fullscreen.cancelFullscreen(); - !_browser2.default.isiOS && this.$el.removeClass('fullscreen nocursor'); - } - }; + this._decryptdata = this.setDecryptDataFromLevelKey(this.levelkey, sn); + } - Core.prototype.onMouseMove = function onMouseMove(event) { - this.trigger(_events2.default.CORE_MOUSE_MOVE, event); - }; + return this._decryptdata; + } + }, { + key: "endProgramDateTime", + get: function get() { + if (this.programDateTime === null) { + return null; + } - Core.prototype.onMouseLeave = function onMouseLeave(event) { - this.trigger(_events2.default.CORE_MOUSE_LEAVE, event); - }; + if (!Object(number_isFinite["isFiniteNumber"])(this.programDateTime)) { + return null; + } - /** - * enables to configure the container after its creation - * @method configure - * @param {Object} options all the options to change in form of a javascript object - */ + var duration = !Object(number_isFinite["isFiniteNumber"])(this.duration) ? 0 : this.duration; + return this.programDateTime + duration * 1000; + } + }, { + key: "encrypted", + get: function get() { + return !!(this.decryptdata && this.decryptdata.uri !== null && this.decryptdata.key === null); + } + }]); + return Fragment; + }(); - Core.prototype.configure = function configure(options) { - var _this6 = this; - this._options = _clapprZepto2.default.extend(this._options, options); - this.configureDomRecycler(); +// CONCATENATED MODULE: ./src/loader/level.js - var sources = options.source || options.sources; - sources && this.load(sources, options.mimeType || this.options.mimeType); - this.trigger(_events2.default.CORE_OPTIONS_CHANGE); - this.containers.forEach(function (container) { - return container.configure(_this6.options); - }); - }; + function level_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 level_createClass(Constructor, protoProps, staticProps) { if (protoProps) level_defineProperties(Constructor.prototype, protoProps); if (staticProps) level_defineProperties(Constructor, staticProps); return Constructor; } + + var level_Level = + /*#__PURE__*/ + function () { + function Level(baseUrl) { + // Please keep properties in alphabetical order + this.endCC = 0; + this.endSN = 0; + this.fragments = []; + this.initSegment = null; + this.live = true; + this.needSidxRanges = false; + this.startCC = 0; + this.startSN = 0; + this.startTimeOffset = null; + this.targetduration = 0; + this.totalduration = 0; + this.type = null; + this.url = baseUrl; + this.version = null; + } - Core.prototype.appendToParent = function appendToParent() { - var hasCoreParent = this.$el.parent() && this.$el.parent().length; - !hasCoreParent && this.$el.appendTo(this.options.parentElement); - }; + level_createClass(Level, [{ + key: "hasProgramDateTime", + get: function get() { + return !!(this.fragments[0] && Object(number_isFinite["isFiniteNumber"])(this.fragments[0].programDateTime)); + } + }]); - Core.prototype.render = function render() { - if (!style) style = _styler2.default.getStyleFor(_fonts2.default, { baseUrl: this.options.baseUrl }); + return Level; + }(); - (0, _clapprZepto2.default)('head').append(style); - this.options.width = this.options.width || this.$el.width(); - this.options.height = this.options.height || this.$el.height(); - var size = { width: this.options.width, height: this.options.height }; - this.playerInfo.previousSize = this.playerInfo.currentSize = this.playerInfo.computedSize = size; - this.updateSize(); +// CONCATENATED MODULE: ./src/utils/attr-list.js + var DECIMAL_RESOLUTION_REGEX = /^(\d+)x(\d+)$/; // eslint-disable-line no-useless-escape - this.previousSize = { width: this.$el.width(), height: this.$el.height() }; + 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 - this.enableResizeObserver(); + var AttrList = + /*#__PURE__*/ + function () { + function AttrList(attrs) { + if (typeof attrs === 'string') { + attrs = AttrList.parseAttrList(attrs); + } - return this; - }; + for (var attr in attrs) { + if (attrs.hasOwnProperty(attr)) { + this[attr] = attrs[attr]; + } + } + } - return Core; - }(_ui_object2.default); + var _proto = AttrList.prototype; - exports.default = Core; + _proto.decimalInteger = function decimalInteger(attrName) { + var intValue = parseInt(this[attrName], 10); + if (intValue > Number.MAX_SAFE_INTEGER) { + return Infinity; + } - (0, _assign2.default)(Core.prototype, _error_mixin2.default); - module.exports = exports['default']; + return intValue; + }; - /***/ }), - /* 153 */ - /***/ (function(module, exports, __webpack_require__) { + _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); - "use strict"; + 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; + } + }; - Object.defineProperty(exports, "__esModule", { - value: true - }); + _proto.hexadecimalIntegerAsNumber = function hexadecimalIntegerAsNumber(attrName) { + var intValue = parseInt(this[attrName], 16); - var _container_factory = __webpack_require__(154); + if (intValue > Number.MAX_SAFE_INTEGER) { + return Infinity; + } - var _container_factory2 = _interopRequireDefault(_container_factory); + return intValue; + }; - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + _proto.decimalFloatingPoint = function decimalFloatingPoint(attrName) { + return parseFloat(this[attrName]); + }; - exports.default = _container_factory2.default; - module.exports = exports['default']; + _proto.enumeratedString = function enumeratedString(attrName) { + return this[attrName]; + }; - /***/ }), - /* 154 */ - /***/ (function(module, exports, __webpack_require__) { + _proto.decimalResolution = function decimalResolution(attrName) { + var res = DECIMAL_RESOLUTION_REGEX.exec(this[attrName]); - "use strict"; + if (res === null) { + return undefined; + } + return { + width: parseInt(res[1], 10), + height: parseInt(res[2], 10) + }; + }; - Object.defineProperty(exports, "__esModule", { - value: true - }); + AttrList.parseAttrList = function parseAttrList(input) { + var match, + attrs = {}; + ATTR_LIST_REGEX.lastIndex = 0; - var _typeof2 = __webpack_require__(39); + while ((match = ATTR_LIST_REGEX.exec(input)) !== null) { + var value = match[2], + quote = '"'; - var _typeof3 = _interopRequireDefault(_typeof2); + if (value.indexOf(quote) === 0 && value.lastIndexOf(quote) === value.length - 1) { + value = value.slice(1, -1); + } - var _classCallCheck2 = __webpack_require__(0); + attrs[match[1]] = value; + } - var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + return attrs; + }; - var _possibleConstructorReturn2 = __webpack_require__(1); + return AttrList; + }(); - var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); + /* harmony default export */ var attr_list = (AttrList); +// CONCATENATED MODULE: ./src/utils/codecs.ts +// 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, + '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 + } + }; - var _createClass2 = __webpack_require__(3); + function isCodecType(codec, type) { + var typeCodes = sampleEntryCodesISO[type]; + return !!typeCodes && typeCodes[codec.slice(0, 4)] === true; + } - var _createClass3 = _interopRequireDefault(_createClass2); + function isCodecSupportedInMp4(codec, type) { + return MediaSource.isTypeSupported((type || 'video') + "/mp4;codecs=\"" + codec + "\""); + } - var _inherits2 = __webpack_require__(2); - var _inherits3 = _interopRequireDefault(_inherits2); +// CONCATENATED MODULE: ./src/loader/m3u8-parser.ts - var _base_object = __webpack_require__(15); - var _base_object2 = _interopRequireDefault(_base_object); - var _events = __webpack_require__(4); - var _events2 = _interopRequireDefault(_events); - var _container = __webpack_require__(80); - var _container2 = _interopRequireDefault(_container); - var _clapprZepto = __webpack_require__(6); - var _clapprZepto2 = _interopRequireDefault(_clapprZepto); - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } -// Copyright 2014 Globo.com Player authors. All rights reserved. -// Use of this source code is governed by a BSD-style -// license that can be found in the LICENSE file. - /** - * The ContainerFactory is responsible for manage playback bootstrap and create containers. - */ + /** + * M3U8 parser + * @module + */ +// https://regex101.com is your friend + var MASTER_PLAYLIST_REGEX = /#EXT-X-STREAM-INF:([^\n\r]*)[\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:,), group 1 => duration, group 2 => title + /|(?!#)([\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 = /(?:(?:#(EXTM3U))|(?:#EXT-X-(PLAYLIST-TYPE):(.+))|(?:#EXT-X-(MEDIA-SEQUENCE): *(\d+))|(?:#EXT-X-(TARGETDURATION): *(\d+))|(?:#EXT-X-(KEY):(.+))|(?:#EXT-X-(START):(.+))|(?:#EXT-X-(ENDLIST))|(?:#EXT-X-(DISCONTINUITY-SEQ)UENCE:(\d+))|(?:#EXT-X-(DIS)CONTINUITY))|(?:#EXT-X-(VERSION):(\d+))|(?:#EXT-X-(MAP):(.+))|(?:(#)([^:]*):(.*))|(?:(#)(.*))(?:.*)\r?\n?/; + var MP4_REGEX_SUFFIX = /\.(mp4|m4s|m4v|m4a)$/i; + + var m3u8_parser_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; + } + } + }; - var ContainerFactory = function (_BaseObject) { - (0, _inherits3.default)(ContainerFactory, _BaseObject); - (0, _createClass3.default)(ContainerFactory, [{ - key: 'options', - get: function get() { - return this._options; - }, - set: function set(options) { - this._options = options; - } - }]); + M3U8Parser.convertAVC1ToAVCOTI = function convertAVC1ToAVCOTI(codec) { + var avcdata = codec.split('.'); + var result; - function ContainerFactory(options, loader, i18n, playerError) { - (0, _classCallCheck3.default)(this, ContainerFactory); + if (avcdata.length > 2) { + result = avcdata.shift() + '.'; + result += parseInt(avcdata.shift()).toString(16); + result += ('000' + parseInt(avcdata.shift()).toString(16)).substr(-4); + } else { + result = codec; + } - var _this = (0, _possibleConstructorReturn3.default)(this, _BaseObject.call(this, options)); + return result; + }; - _this._i18n = i18n; - _this.loader = loader; - _this.playerError = playerError; - return _this; - } + M3U8Parser.resolve = function resolve(url, baseUrl) { + return url_toolkit["buildAbsoluteURL"](baseUrl, url, { + alwaysNormalize: true + }); + }; - ContainerFactory.prototype.createContainers = function createContainers() { - var _this2 = this; + M3U8Parser.parseMasterPlaylist = function parseMasterPlaylist(string, baseurl) { + // TODO(typescript-level) + var levels = []; + MASTER_PLAYLIST_REGEX.lastIndex = 0; // TODO(typescript-level) + + function setCodecs(codecs, level) { + ['video', 'audio'].forEach(function (type) { + var filtered = codecs.filter(function (codec) { + return 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; + } - return _clapprZepto2.default.Deferred(function (promise) { - promise.resolve(_this2.options.sources.map(function (source) { - return _this2.createContainer(source); - })); - }); - }; + var result; - ContainerFactory.prototype.findPlaybackPlugin = function findPlaybackPlugin(source, mimeType) { - return this.loader.playbackPlugins.filter(function (p) { - return p.canPlay(source, mimeType); - })[0]; - }; + while ((result = MASTER_PLAYLIST_REGEX.exec(string)) != null) { + // TODO(typescript-level) + var level = {}; + var attrs = level.attrs = new attr_list(result[1]); + level.url = M3U8Parser.resolve(result[2], baseurl); + var resolution = attrs.decimalResolution('RESOLUTION'); - ContainerFactory.prototype.createContainer = function createContainer(source) { - var resolvedSource = null, - mimeType = this.options.mimeType; - if ((typeof source === 'undefined' ? 'undefined' : (0, _typeof3.default)(source)) === 'object') { - resolvedSource = source.source.toString(); - if (source.mimeType) mimeType = source.mimeType; - } else { - resolvedSource = source.toString(); - } + if (resolution) { + level.width = resolution.width; + level.height = resolution.height; + } - if (resolvedSource.match(/^\/\//)) resolvedSource = window.location.protocol + resolvedSource; + level.bitrate = attrs.decimalInteger('AVERAGE-BANDWIDTH') || attrs.decimalInteger('BANDWIDTH'); + level.name = attrs.NAME; + setCodecs([].concat((attrs.CODECS || '').split(/[ ,]+/)), level); - var options = _clapprZepto2.default.extend({}, this.options, { - src: resolvedSource, - mimeType: mimeType - }); - var playbackPlugin = this.findPlaybackPlugin(resolvedSource, mimeType); - var playback = new playbackPlugin(options, this._i18n, this.playerError); + if (level.videoCodec && level.videoCodec.indexOf('avc1') !== -1) { + level.videoCodec = M3U8Parser.convertAVC1ToAVCOTI(level.videoCodec); + } - options = _clapprZepto2.default.extend({}, options, { playback: playback }); + levels.push(level); + } - var container = new _container2.default(options, this._i18n, this.playerError); - var defer = _clapprZepto2.default.Deferred(); - defer.promise(container); - this.addContainerPlugins(container); - this.listenToOnce(container, _events2.default.CONTAINER_READY, function () { - return defer.resolve(container); - }); - return container; - }; + return levels; + }; - ContainerFactory.prototype.addContainerPlugins = function addContainerPlugins(container) { - this.loader.containerPlugins.forEach(function (Plugin) { - container.addPlugin(new Plugin(container)); - }); - }; + M3U8Parser.parseMasterPlaylistMedia = function parseMasterPlaylistMedia(string, baseurl, type, audioGroups) { + if (audioGroups === void 0) { + audioGroups = []; + } - return ContainerFactory; - }(_base_object2.default); + 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 attr_list(result[1]); + + if (attrs.TYPE === type) { + var media = { + id: id++, + groupId: attrs['GROUP-ID'], + name: attrs.NAME || attrs.LANGUAGE, + type: type, + default: attrs.DEFAULT === 'YES', + autoselect: attrs.AUTOSELECT === 'YES', + forced: attrs.FORCED === 'YES', + lang: attrs.LANGUAGE + }; + + if (attrs.URI) { + media.url = M3U8Parser.resolve(attrs.URI, baseurl); + } - exports.default = ContainerFactory; - module.exports = exports['default']; + if (audioGroups.length) { + // If there are audio groups signalled in the manifest, let's look for a matching codec string for this track + var groupCodec = M3U8Parser.findGroup(audioGroups, media.groupId); // If we don't find the track signalled, lets use the first audio groups codec we have + // Acting as a best guess - /***/ }), - /* 155 */ - /***/ (function(module, exports, __webpack_require__) { + media.audioCodec = groupCodec ? groupCodec.codec : audioGroups[0].codec; + } - "use strict"; + medias.push(media); + } + } + return medias; + }; - Object.defineProperty(exports, "__esModule", { - value: true - }); + M3U8Parser.parseLevelPlaylist = function parseLevelPlaylist(string, baseurl, id, type, levelUrlId) { + var currentSN = 0; + var totalduration = 0; + var level = new level_Level(baseurl); + var discontinuityCounter = 0; + var prevFrag = null; + var frag = new fragment_Fragment(); + var result; + var i; + var levelkey; + var firstPdtIndex = null; + LEVEL_PLAYLIST_REGEX_FAST.lastIndex = 0; + + 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(number_isFinite["isFiniteNumber"])(frag.duration)) { + var sn = currentSN++; + frag.type = type; + frag.start = totalduration; + + if (levelkey) { + frag.levelkey = levelkey; + } - var _assign = __webpack_require__(12); + frag.sn = sn; + frag.level = id; + frag.cc = discontinuityCounter; + frag.urlId = levelUrlId; + frag.baseurl = baseurl; // avoid sliced strings https://github.com/video-dev/hls.js/issues/939 + + frag.relurl = (' ' + result[3]).slice(1); + assignProgramDateTime(frag, prevFrag); + level.fragments.push(frag); + prevFrag = frag; + totalduration += frag.duration; + frag = new fragment_Fragment(); + } + } else if (result[4]) { + // X-BYTERANGE + var data = (' ' + result[4]).slice(1); - var _assign2 = _interopRequireDefault(_assign); + 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 === null) { + firstPdtIndex = level.fragments.length; + } + } else { + result = result[0].match(LEVEL_PLAYLIST_REGEX_SLOW); - var _classCallCheck2 = __webpack_require__(0); + if (!result) { + logger["logger"].warn('No matches on slow regex match for level playlist!'); + continue; + } - var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + 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 _possibleConstructorReturn2 = __webpack_require__(1); - var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); + var value1 = (' ' + result[i + 1]).slice(1); + var value2 = (' ' + result[i + 2]).slice(1); - var _createClass2 = __webpack_require__(3); + switch (result[i]) { + case '#': + frag.tagList.push(value2 ? [value1, value2] : [value1]); + break; - var _createClass3 = _interopRequireDefault(_createClass2); + case 'PLAYLIST-TYPE': + level.type = value1.toUpperCase(); + break; - var _inherits2 = __webpack_require__(2); + case 'MEDIA-SEQUENCE': + currentSN = level.startSN = parseInt(value1); + break; - var _inherits3 = _interopRequireDefault(_inherits2); + case 'TARGETDURATION': + level.targetduration = parseFloat(value1); + break; - var _events = __webpack_require__(4); + case 'VERSION': + level.version = parseInt(value1); + break; - var _events2 = _interopRequireDefault(_events); + case 'EXTM3U': + break; - var _ui_object = __webpack_require__(30); + case 'ENDLIST': + level.live = false; + break; - var _ui_object2 = _interopRequireDefault(_ui_object); + case 'DIS': + discontinuityCounter++; + frag.tagList.push(['DIS']); + break; - var _error_mixin = __webpack_require__(20); + case 'DISCONTINUITY-SEQ': + discontinuityCounter = parseInt(value1); + break; - var _error_mixin2 = _interopRequireDefault(_error_mixin); + case 'KEY': + { + // https://tools.ietf.org/html/draft-pantos-http-live-streaming-08#section-3.4.4 + var decryptparams = value1; + var keyAttrs = new attr_list(decryptparams); + var decryptmethod = keyAttrs.enumeratedString('METHOD'); + var decrypturi = keyAttrs.URI; + var decryptiv = keyAttrs.hexadecimalInteger('IV'); - __webpack_require__(156); + if (decryptmethod) { + levelkey = new level_key_LevelKey(baseurl, decrypturi); - var _clapprZepto = __webpack_require__(6); + if (decrypturi && ['AES-128', 'SAMPLE-AES', 'SAMPLE-AES-CENC'].indexOf(decryptmethod) >= 0) { + levelkey.method = decryptmethod; + levelkey.key = null; // Initialization Vector (IV) - var _clapprZepto2 = _interopRequireDefault(_clapprZepto); + levelkey.iv = decryptiv; + } + } - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + break; + } - /** - * An abstraction to represent a container for a given playback - * TODO: describe its responsabilities - * @class Container - * @constructor - * @extends UIObject - * @module base - */ - var Container = function (_UIObject) { - (0, _inherits3.default)(Container, _UIObject); - (0, _createClass3.default)(Container, [{ - key: 'name', + case 'START': + { + var startAttrs = new attr_list(value1); + var startTimeOffset = startAttrs.decimalFloatingPoint('TIME-OFFSET'); // TIME-OFFSET can be 0 - /** - * container's name - * @method name - * @default Container - * @return {String} container's name - */ - get: function get() { - return 'Container'; - } - }, { - key: 'attributes', - get: function get() { - return { class: 'container', 'data-container': '' }; - } - }, { - key: 'events', - get: function get() { - return { - 'click': 'clicked', - 'dblclick': 'dblClicked', - 'doubleTap': 'dblClicked', - 'contextmenu': 'onContextMenu', - 'mouseenter': 'mouseEnter', - 'mouseleave': 'mouseLeave' - }; - } + if (Object(number_isFinite["isFiniteNumber"])(startTimeOffset)) { + level.startTimeOffset = startTimeOffset; + } - /** - * Determine if the playback has ended. - * @property ended - * @type Boolean - */ + break; + } - }, { - key: 'ended', - get: function get() { - return this.playback.ended; - } + case 'MAP': + { + var mapAttrs = new attr_list(value1); + frag.relurl = mapAttrs.URI; - /** - * Determine if the playback is having to buffer in order for - * playback to be smooth. - * (i.e if a live stream is playing smoothly, this will be false) - * @property buffering - * @type Boolean - */ + if (mapAttrs.BYTERANGE) { + frag.setByteRange(mapAttrs.BYTERANGE); + } - }, { - key: 'buffering', - get: function get() { - return this.playback.buffering; - } + frag.baseurl = baseurl; + frag.level = id; + frag.type = type; + frag.sn = 'initSegment'; + level.initSegment = frag; + frag = new fragment_Fragment(); + frag.rawProgramDateTime = level.initSegment.rawProgramDateTime; + break; + } - /** - * The internationalization plugin. - * @property i18n - * @type {Strings} - */ + default: + logger["logger"].warn("line parsed but not handled: " + result); + break; + } + } + } - }, { - key: 'i18n', - get: function get() { - return this._i18n; - } + frag = prevFrag; // logger.log('found ' + level.fragments.length + ' fragments'); - /** - * checks if has closed caption tracks. - * @property hasClosedCaptionsTracks - * @type {Boolean} - */ + if (frag && !frag.relurl) { + level.fragments.pop(); + totalduration -= frag.duration; + } - }, { - key: 'hasClosedCaptionsTracks', - get: function get() { - return this.playback.hasClosedCaptionsTracks; - } + level.totalduration = totalduration; + level.averagetargetduration = totalduration / level.fragments.length; + level.endSN = currentSN - 1; + level.startCC = level.fragments[0] ? level.fragments[0].cc : 0; + level.endCC = discontinuityCounter; + + if (!level.initSegment && level.fragments.length) { + // 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); + })) { + logger["logger"].warn('MP4 fragments found but no init segment (probably no MAP, incomplete M3U8), trying to fetch SIDX'); + frag = new fragment_Fragment(); + frag.relurl = level.fragments[0].relurl; + frag.baseurl = baseurl; + frag.level = id; + frag.type = type; + frag.sn = 'initSegment'; + level.initSegment = frag; + level.needSidxRanges = true; + } + } + /** + * 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) { + backfillProgramDateTimes(level.fragments, firstPdtIndex); + } - /** - * gets the available closed caption tracks. - * @property closedCaptionsTracks - * @type {Array} an array of objects with at least 'id' and 'name' properties - */ + return level; + }; - }, { - key: 'closedCaptionsTracks', - get: function get() { - return this.playback.closedCaptionsTracks; - } + return M3U8Parser; + }(); - /** - * gets the selected closed caption track index. (-1 is disabled) - * @property closedCaptionsTrackId - * @type {Number} - */ - }, { - key: 'closedCaptionsTrackId', - get: function get() { - return this.playback.closedCaptionsTrackId; - } - /** - * sets the selected closed caption track index. (-1 is disabled) - * @property closedCaptionsTrackId - * @type {Number} - */ - , - set: function set(trackId) { - this.playback.closedCaptionsTrackId = trackId; - } + function backfillProgramDateTimes(fragments, startIndex) { + var fragPrev = fragments[startIndex]; - /** - * it builds a container - * @method constructor - * @param {Object} options the options object - * @param {Strings} i18n the internationalization component - */ + for (var i = startIndex - 1; i >= 0; i--) { + var frag = fragments[i]; + 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 && prevFrag.programDateTime) { + frag.programDateTime = prevFrag.endProgramDateTime; + } - function Container(options, i18n, playerError) { - (0, _classCallCheck3.default)(this, Container); + if (!Object(number_isFinite["isFiniteNumber"])(frag.programDateTime)) { + frag.programDateTime = null; + frag.rawProgramDateTime = null; + } + } +// CONCATENATED MODULE: ./src/loader/playlist-loader.ts - var _this = (0, _possibleConstructorReturn3.default)(this, _UIObject.call(this, options)); - _this._i18n = i18n; - _this.currentTime = 0; - _this.volume = 100; - _this.playback = options.playback; - _this.playerError = playerError; - _this.settings = _clapprZepto2.default.extend({}, _this.playback.settings); - _this.isReady = false; - _this.mediaControlDisabled = false; - _this.plugins = [_this.playback]; - _this.bindEvents(); - return _this; - } - /** - * binds playback events to the methods of the container. - * it listens to playback's events and triggers them as container events. - * - * | Playback | - * |----------| - * | progress | - * | timeupdate | - * | ready | - * | buffering | - * | bufferfull | - * | settingsupdate | - * | loadedmetadata | - * | highdefinitionupdate | - * | bitrate | - * | playbackstate | - * | dvr | - * | mediacontrol_disable | - * | mediacontrol_enable | - * | ended | - * | play | - * | pause | - * | error | - * - * ps: the events usually translate from PLABACK_x to CONTAINER_x, you can check all the events at `Event` class. - * - * @method bindEvents - */ + function _inheritsLoose(subClass, superClass) { subClass.prototype = Object.create(superClass.prototype); subClass.prototype.constructor = subClass; subClass.__proto__ = superClass; } + /** + * 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 + * + */ - Container.prototype.bindEvents = function bindEvents() { - this.listenTo(this.playback, _events2.default.PLAYBACK_PROGRESS, this.progress); - this.listenTo(this.playback, _events2.default.PLAYBACK_TIMEUPDATE, this.timeUpdated); - this.listenTo(this.playback, _events2.default.PLAYBACK_READY, this.ready); - this.listenTo(this.playback, _events2.default.PLAYBACK_BUFFERING, this.onBuffering); - this.listenTo(this.playback, _events2.default.PLAYBACK_BUFFERFULL, this.bufferfull); - this.listenTo(this.playback, _events2.default.PLAYBACK_SETTINGSUPDATE, this.settingsUpdate); - this.listenTo(this.playback, _events2.default.PLAYBACK_LOADEDMETADATA, this.loadedMetadata); - this.listenTo(this.playback, _events2.default.PLAYBACK_HIGHDEFINITIONUPDATE, this.highDefinitionUpdate); - this.listenTo(this.playback, _events2.default.PLAYBACK_BITRATE, this.updateBitrate); - this.listenTo(this.playback, _events2.default.PLAYBACK_PLAYBACKSTATE, this.playbackStateChanged); - this.listenTo(this.playback, _events2.default.PLAYBACK_DVR, this.playbackDvrStateChanged); - this.listenTo(this.playback, _events2.default.PLAYBACK_MEDIACONTROL_DISABLE, this.disableMediaControl); - this.listenTo(this.playback, _events2.default.PLAYBACK_MEDIACONTROL_ENABLE, this.enableMediaControl); - this.listenTo(this.playback, _events2.default.PLAYBACK_SEEKED, this.onSeeked); - this.listenTo(this.playback, _events2.default.PLAYBACK_ENDED, this.onEnded); - this.listenTo(this.playback, _events2.default.PLAYBACK_PLAY, this.playing); - this.listenTo(this.playback, _events2.default.PLAYBACK_PAUSE, this.paused); - this.listenTo(this.playback, _events2.default.PLAYBACK_STOP, this.stopped); - this.listenTo(this.playback, _events2.default.PLAYBACK_ERROR, this.error); - this.listenTo(this.playback, _events2.default.PLAYBACK_SUBTITLE_AVAILABLE, this.subtitleAvailable); - this.listenTo(this.playback, _events2.default.PLAYBACK_SUBTITLE_CHANGED, this.subtitleChanged); - }; - Container.prototype.subtitleAvailable = function subtitleAvailable() { - this.trigger(_events2.default.CONTAINER_SUBTITLE_AVAILABLE); - }; - Container.prototype.subtitleChanged = function subtitleChanged(track) { - this.trigger(_events2.default.CONTAINER_SUBTITLE_CHANGED, track); - }; - Container.prototype.playbackStateChanged = function playbackStateChanged(state) { - this.trigger(_events2.default.CONTAINER_PLAYBACKSTATE, state); - }; - Container.prototype.playbackDvrStateChanged = function playbackDvrStateChanged(dvrInUse) { - this.settings = this.playback.settings; - this.dvrInUse = dvrInUse; - this.trigger(_events2.default.CONTAINER_PLAYBACKDVRSTATECHANGED, dvrInUse); - }; - Container.prototype.updateBitrate = function updateBitrate(newBitrate) { - this.trigger(_events2.default.CONTAINER_BITRATE, newBitrate); - }; - Container.prototype.statsReport = function statsReport(metrics) { - this.trigger(_events2.default.CONTAINER_STATS_REPORT, metrics); - }; + var _window = window, + performance = _window.performance; + /** + * @constructor + */ - Container.prototype.getPlaybackType = function getPlaybackType() { - return this.playback.getPlaybackType(); - }; + var playlist_loader_PlaylistLoader = + /*#__PURE__*/ + function (_EventHandler) { + _inheritsLoose(PlaylistLoader, _EventHandler); + + /** + * @constructs + * @param {Hls} hls + */ + function PlaylistLoader(hls) { + var _this; + + _this = _EventHandler.call(this, hls, events["default"].MANIFEST_LOADING, events["default"].LEVEL_LOADING, events["default"].AUDIO_TRACK_LOADING, events["default"].SUBTITLE_TRACK_LOADING) || this; + _this.loaders = {}; + return _this; + } + /** + * @param {PlaylistContextType} type + * @returns {boolean} + */ - /** - * returns `true` if DVR is enable otherwise `false`. - * @method isDvrEnabled - * @return {Boolean} - */ + PlaylistLoader.canHaveQualityLevels = function canHaveQualityLevels(type) { + return type !== PlaylistContextType.AUDIO_TRACK && type !== PlaylistContextType.SUBTITLE_TRACK; + } + /** + * Map context.type to LevelType + * @param {PlaylistLoaderContext} context + * @returns {LevelType} + */ + ; - Container.prototype.isDvrEnabled = function isDvrEnabled() { - return !!this.playback.dvrEnabled; - }; + PlaylistLoader.mapContextToLevelType = function mapContextToLevelType(context) { + var type = context.type; - /** - * returns `true` if DVR is in use otherwise `false`. - * @method isDvrInUse - * @return {Boolean} - */ + switch (type) { + case PlaylistContextType.AUDIO_TRACK: + return PlaylistLevelType.AUDIO; + case PlaylistContextType.SUBTITLE_TRACK: + return PlaylistLevelType.SUBTITLE; - Container.prototype.isDvrInUse = function isDvrInUse() { - return !!this.dvrInUse; - }; + default: + return PlaylistLevelType.MAIN; + } + }; - /** - * destroys the container - * @method destroy - */ + PlaylistLoader.getResponseUrl = 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; + } - Container.prototype.destroy = function destroy() { - this.trigger(_events2.default.CONTAINER_DESTROYED, this, this.name); - this.stopListening(); - this.plugins.forEach(function (plugin) { - return plugin.destroy(); - }); - this.$el.remove(); - }; + return url; + } + /** + * Returns defaults or configured loader-type overloads (pLoader and loader config params) + * Default loader is XHRLoader (see utils) + * @param {PlaylistLoaderContext} context + * @returns {Loader} or other compatible configured overload + */ + ; + + var _proto = PlaylistLoader.prototype; + + _proto.createInternalLoader = function createInternalLoader(context) { + var config = this.hls.config; + var PLoader = config.pLoader; + var Loader = config.loader; // TODO(typescript-config): Verify once config is typed that InternalLoader always returns a Loader + + var InternalLoader = PLoader || Loader; + var loader = new InternalLoader(config); // TODO - Do we really need to assign the instance or if the dep has been lost + + context.loader = loader; + this.loaders[context.type] = loader; + return loader; + }; - Container.prototype.setStyle = function setStyle(style) { - this.$el.css(style); - }; + _proto.getInternalLoader = function getInternalLoader(context) { + return this.loaders[context.type]; + }; - Container.prototype.animate = function animate(style, duration) { - return this.$el.animate(style, duration).promise(); - }; + _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) + */ + ; - Container.prototype.ready = function ready() { - this.isReady = true; - this.trigger(_events2.default.CONTAINER_READY, this.name); - }; + _proto.destroyInternalLoaders = function destroyInternalLoaders() { + for (var contextType in this.loaders) { + var loader = this.loaders[contextType]; - Container.prototype.isPlaying = function isPlaying() { - return this.playback.isPlaying(); - }; + if (loader) { + loader.destroy(); + } - Container.prototype.getStartTimeOffset = function getStartTimeOffset() { - return this.playback.getStartTimeOffset(); - }; + this.resetInternalLoader(contextType); + } + }; - Container.prototype.getCurrentTime = function getCurrentTime() { - return this.currentTime; - }; - - Container.prototype.getDuration = function getDuration() { - return this.playback.getDuration(); - }; - - Container.prototype.error = function error(_error) { - if (!this.isReady) this.ready(); - - this.trigger(_events2.default.CONTAINER_ERROR, _error, this.name); - }; - - Container.prototype.loadedMetadata = function loadedMetadata(metadata) { - this.trigger(_events2.default.CONTAINER_LOADEDMETADATA, metadata); - }; + _proto.destroy = function destroy() { + this.destroyInternalLoaders(); - Container.prototype.timeUpdated = function timeUpdated(timeProgress) { - this.currentTime = timeProgress.current; - this.trigger(_events2.default.CONTAINER_TIMEUPDATE, timeProgress, this.name); - }; + _EventHandler.prototype.destroy.call(this); + }; - Container.prototype.progress = function progress() { - for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) { - args[_key] = arguments[_key]; - } + _proto.onManifestLoading = function onManifestLoading(data) { + this.load({ + url: data.url, + type: PlaylistContextType.MANIFEST, + level: 0, + id: null, + responseType: 'text' + }); + }; - this.trigger.apply(this, [_events2.default.CONTAINER_PROGRESS].concat(args, [this.name])); - }; + _proto.onLevelLoading = function onLevelLoading(data) { + this.load({ + url: data.url, + type: PlaylistContextType.LEVEL, + level: data.level, + id: data.id, + responseType: 'text' + }); + }; - Container.prototype.playing = function playing() { - this.trigger(_events2.default.CONTAINER_PLAY, this.name); - }; + _proto.onAudioTrackLoading = function onAudioTrackLoading(data) { + this.load({ + url: data.url, + type: PlaylistContextType.AUDIO_TRACK, + level: null, + id: data.id, + responseType: 'text' + }); + }; - Container.prototype.paused = function paused() { - this.trigger(_events2.default.CONTAINER_PAUSE, this.name); - }; + _proto.onSubtitleTrackLoading = function onSubtitleTrackLoading(data) { + this.load({ + url: data.url, + type: PlaylistContextType.SUBTITLE_TRACK, + level: null, + id: data.id, + responseType: 'text' + }); + }; - /** - * plays the playback - * @method play - */ + _proto.load = function load(context) { + var config = this.hls.config; + logger["logger"].debug("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); - Container.prototype.play = function play() { - this.playback.play(); - }; + if (loader) { + var loaderContext = loader.context; - /** - * stops the playback - * @method stop - */ + if (loaderContext && loaderContext.url === context.url) { + // same URL can't overlap + logger["logger"].trace('playlist request ongoing'); + return false; + } else { + logger["logger"].warn("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 PlaylistContextType.MANIFEST: + maxRetry = config.manifestLoadingMaxRetry; + timeout = config.manifestLoadingTimeOut; + retryDelay = config.manifestLoadingRetryDelay; + maxRetryDelay = config.manifestLoadingMaxRetryTimeout; + break; - Container.prototype.stop = function stop() { - this.playback.stop(); - this.currentTime = 0; - }; + case PlaylistContextType.LEVEL: + // Disable internal loader retry logic, since we are managing retries in Level Controller + maxRetry = 0; + maxRetryDelay = 0; + retryDelay = 0; + timeout = config.levelLoadingTimeOut; // TODO Introduce retry settings for audio-track and subtitle-track, it should not use level retry config - /** - * pauses the playback - * @method pause - */ + break; + default: + maxRetry = config.levelLoadingMaxRetry; + timeout = config.levelLoadingTimeOut; + retryDelay = config.levelLoadingRetryDelay; + maxRetryDelay = config.levelLoadingMaxRetryTimeout; + break; + } - Container.prototype.pause = function pause() { - this.playback.pause(); - }; + loader = this.createInternalLoader(context); + var loaderConfig = { + timeout: timeout, + maxRetry: maxRetry, + retryDelay: retryDelay, + maxRetryDelay: maxRetryDelay + }; + var loaderCallbacks = { + onSuccess: this.loadsuccess.bind(this), + onError: this.loaderror.bind(this), + onTimeout: this.loadtimeout.bind(this) + }; + logger["logger"].debug("Calling internal loader delegate for URL: " + context.url); + loader.load(context, loaderConfig, loaderCallbacks); + return true; + }; - Container.prototype.onEnded = function onEnded() { - this.trigger(_events2.default.CONTAINER_ENDED, this, this.name); - this.currentTime = 0; - }; + _proto.loadsuccess = function loadsuccess(response, stats, context, networkDetails) { + if (networkDetails === void 0) { + networkDetails = null; + } - Container.prototype.stopped = function stopped() { - this.trigger(_events2.default.CONTAINER_STOP); - }; + if (context.isSidxRequest) { + this._handleSidxRequest(response, context); - Container.prototype.clicked = function clicked() { - if (!this.options.chromeless || this.options.allowUserInteraction) this.trigger(_events2.default.CONTAINER_CLICK, this, this.name); - }; + this._handlePlaylistLoaded(response, stats, context, networkDetails); - Container.prototype.dblClicked = function dblClicked() { - if (!this.options.chromeless || this.options.allowUserInteraction) this.trigger(_events2.default.CONTAINER_DBLCLICK, this, this.name); - }; + return; + } - Container.prototype.onContextMenu = function onContextMenu(event) { - if (!this.options.chromeless || this.options.allowUserInteraction) this.trigger(_events2.default.CONTAINER_CONTEXTMENU, event, this.name); - }; + this.resetInternalLoader(context.type); - Container.prototype.seek = function seek(time) { - this.trigger(_events2.default.CONTAINER_SEEK, time, this.name); - this.playback.seek(time); - }; + if (typeof response.data !== 'string') { + throw new Error('expected responseType of "text" for PlaylistLoader'); + } - Container.prototype.onSeeked = function onSeeked() { - this.trigger(_events2.default.CONTAINER_SEEKED, this.name); - }; + var string = response.data; + stats.tload = performance.now(); // stats.mtime = new Date(target.getResponseHeader('Last-Modified')); + // Validate if it is an M3U8 at all - Container.prototype.seekPercentage = function seekPercentage(percentage) { - var duration = this.getDuration(); - if (percentage >= 0 && percentage <= 100) { - var time = duration * (percentage / 100); - this.seek(time); - } - }; + if (string.indexOf('#EXTM3U') !== 0) { + this._handleManifestParsingError(response, context, 'no EXTM3U delimiter', networkDetails); - Container.prototype.setVolume = function setVolume(value) { - this.volume = parseInt(value, 10); - this.trigger(_events2.default.CONTAINER_VOLUME, value, this.name); - this.playback.volume(value); - }; + return; + } // Check if chunk-list or master. handle empty chunk list case (first EXTINF not signaled, but TARGETDURATION present) - Container.prototype.fullscreen = function fullscreen() { - this.trigger(_events2.default.CONTAINER_FULLSCREEN, this.name); - }; - Container.prototype.onBuffering = function onBuffering() { - this.trigger(_events2.default.CONTAINER_STATE_BUFFERING, this.name); - }; + if (string.indexOf('#EXTINF:') > 0 || string.indexOf('#EXT-X-TARGETDURATION:') > 0) { + this._handleTrackOrLevelPlaylist(response, stats, context, networkDetails); + } else { + this._handleMasterPlaylist(response, stats, context, networkDetails); + } + }; - Container.prototype.bufferfull = function bufferfull() { - this.trigger(_events2.default.CONTAINER_STATE_BUFFERFULL, this.name); - }; + _proto.loaderror = function loaderror(response, context, networkDetails) { + if (networkDetails === void 0) { + networkDetails = null; + } - /** - * adds plugin to the container - * @method addPlugin - * @param {Object} plugin - */ + this._handleNetworkError(context, networkDetails, false, response); + }; + _proto.loadtimeout = function loadtimeout(stats, context, networkDetails) { + if (networkDetails === void 0) { + networkDetails = null; + } - Container.prototype.addPlugin = function addPlugin(plugin) { - this.plugins.push(plugin); - }; + this._handleNetworkError(context, networkDetails, true); + } // TODO(typescript-config): networkDetails can currently be a XHR or Fetch impl, + // but with custom loaders it could be generic investigate this further when config is typed + ; - /** - * checks if a plugin, given its name, exist - * @method hasPlugin - * @param {String} name - * @return {Boolean} - */ + _proto._handleMasterPlaylist = function _handleMasterPlaylist(response, stats, context, networkDetails) { + var hls = this.hls; + var string = response.data; + var url = PlaylistLoader.getResponseUrl(response, context); + var levels = m3u8_parser_M3U8Parser.parseMasterPlaylist(string, url); + if (!levels.length) { + this._handleManifestParsingError(response, context, 'no level found in manifest', networkDetails); - Container.prototype.hasPlugin = function hasPlugin(name) { - return !!this.getPlugin(name); - }; + return; + } // multi level playlist, parse level info - /** - * get the plugin given its name - * @method getPlugin - * @param {String} name - */ + var audioGroups = levels.map(function (level) { + return { + id: level.attrs.AUDIO, + codec: level.audioCodec + }; + }); + var audioTracks = m3u8_parser_M3U8Parser.parseMasterPlaylistMedia(string, url, 'AUDIO', audioGroups); + var subtitles = m3u8_parser_M3U8Parser.parseMasterPlaylistMedia(string, url, 'SUBTITLES'); + + if (audioTracks.length) { + // check if we have found an audio track embedded in main playlist (audio track without URI attribute) + var embeddedAudioFound = false; + audioTracks.forEach(function (audioTrack) { + if (!audioTrack.url) { + embeddedAudioFound = true; + } + }); // 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 === false && levels[0].audioCodec && !levels[0].attrs.AUDIO) { + logger["logger"].log('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 + }); + } + } - Container.prototype.getPlugin = function getPlugin(name) { - return this.plugins.filter(function (plugin) { - return plugin.name === name; - })[0]; - }; + hls.trigger(events["default"].MANIFEST_LOADED, { + levels: levels, + audioTracks: audioTracks, + subtitles: subtitles, + url: url, + stats: stats, + networkDetails: networkDetails + }); + }; - Container.prototype.mouseEnter = function mouseEnter() { - if (!this.options.chromeless || this.options.allowUserInteraction) this.trigger(_events2.default.CONTAINER_MOUSE_ENTER); - }; + _proto._handleTrackOrLevelPlaylist = function _handleTrackOrLevelPlaylist(response, stats, context, networkDetails) { + var hls = this.hls; + var id = context.id, + level = context.level, + type = context.type; + var url = PlaylistLoader.getResponseUrl(response, context); // if the values are null, they will result in the else conditional + + var levelUrlId = Object(number_isFinite["isFiniteNumber"])(id) ? id : 0; + var levelId = Object(number_isFinite["isFiniteNumber"])(level) ? level : levelUrlId; + var levelType = PlaylistLoader.mapContextToLevelType(context); + var levelDetails = m3u8_parser_M3U8Parser.parseLevelPlaylist(response.data, url, levelId, levelType, levelUrlId); // set stats on level structure + // TODO(jstackhouse): why? mixing concerns, is it just treated as value bag? + + levelDetails.tload = stats.tload; // 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 === PlaylistContextType.MANIFEST) { + var singleLevel = { + url: url, + details: levelDetails + }; + hls.trigger(events["default"].MANIFEST_LOADED, { + levels: [singleLevel], + audioTracks: [], + url: url, + stats: stats, + networkDetails: networkDetails + }); + } // save parsing time + + + stats.tparsed = 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, + rangeStart: 0, + rangeEnd: 2048, + responseType: 'arraybuffer' + }); + return; + } // extend the context with the new levelDetails property - Container.prototype.mouseLeave = function mouseLeave() { - if (!this.options.chromeless || this.options.allowUserInteraction) this.trigger(_events2.default.CONTAINER_MOUSE_LEAVE); - }; - Container.prototype.settingsUpdate = function settingsUpdate() { - this.settings = this.playback.settings; - this.trigger(_events2.default.CONTAINER_SETTINGSUPDATE); - }; + context.levelDetails = levelDetails; - Container.prototype.highDefinitionUpdate = function highDefinitionUpdate(isHD) { - this.trigger(_events2.default.CONTAINER_HIGHDEFINITIONUPDATE, isHD); - }; + this._handlePlaylistLoaded(response, stats, context, networkDetails); + }; - Container.prototype.isHighDefinitionInUse = function isHighDefinitionInUse() { - return this.playback.isHighDefinitionInUse(); - }; + _proto._handleSidxRequest = function _handleSidxRequest(response, context) { + if (typeof response.data === 'string') { + throw new Error('sidx request must be made with responseType of array buffer'); + } - Container.prototype.disableMediaControl = function disableMediaControl() { - if (!this.mediaControlDisabled) { - this.mediaControlDisabled = true; - this.trigger(_events2.default.CONTAINER_MEDIACONTROL_DISABLE); - } - }; + var sidxInfo = mp4demuxer["default"].parseSegmentIndex(new Uint8Array(response.data)); // if provided fragment does not contain sidx, early return - Container.prototype.enableMediaControl = function enableMediaControl() { - if (this.mediaControlDisabled) { - this.mediaControlDisabled = false; - this.trigger(_events2.default.CONTAINER_MEDIACONTROL_ENABLE); - } - }; + if (!sidxInfo) { + return; + } - Container.prototype.updateStyle = function updateStyle() { - if (!this.options.chromeless || this.options.allowUserInteraction) this.$el.removeClass('chromeless');else this.$el.addClass('chromeless'); - }; + var sidxReferences = sidxInfo.references; + var levelDetails = context.levelDetails; + sidxReferences.forEach(function (segmentRef, index) { + var segRefInfo = segmentRef.info; - /** - * enables to configure the container after its creation - * @method configure - * @param {Object} options all the options to change in form of a javascript object - */ + if (!levelDetails) { + return; + } + var frag = levelDetails.fragments[index]; - Container.prototype.configure = function configure(options) { - this._options = _clapprZepto2.default.extend(this._options, options); - this.updateStyle(); - this.playback.configure(this.options); - this.trigger(_events2.default.CONTAINER_OPTIONS_CHANGE); - }; + if (frag.byteRange.length === 0) { + frag.setByteRange(String(1 + segRefInfo.end - segRefInfo.start) + '@' + String(segRefInfo.start)); + } + }); - Container.prototype.render = function render() { - this.$el.append(this.playback.render().el); - this.updateStyle(); - return this; - }; + if (levelDetails) { + levelDetails.initSegment.setByteRange(String(sidxInfo.moovEndOffset) + '@0'); + } + }; - return Container; - }(_ui_object2.default); // Copyright 2014 Globo.com Player authors. All rights reserved. -// Use of this source code is governed by a BSD-style -// license that can be found in the LICENSE file. + _proto._handleManifestParsingError = function _handleManifestParsingError(response, context, reason, networkDetails) { + this.hls.trigger(events["default"].ERROR, { + type: errors["ErrorTypes"].NETWORK_ERROR, + details: errors["ErrorDetails"].MANIFEST_PARSING_ERROR, + fatal: true, + url: response.url, + reason: reason, + networkDetails: networkDetails + }); + }; - /** - * Container is responsible for the video rendering and state - */ + _proto._handleNetworkError = function _handleNetworkError(context, networkDetails, timeout, response) { + if (timeout === void 0) { + timeout = false; + } - exports.default = Container; + if (response === void 0) { + response = null; + } + logger["logger"].info("A network error occured while loading a " + context.type + "-type playlist"); + var details; + var fatal; + var loader = this.getInternalLoader(context); - (0, _assign2.default)(Container.prototype, _error_mixin2.default); - module.exports = exports['default']; + switch (context.type) { + case PlaylistContextType.MANIFEST: + details = timeout ? errors["ErrorDetails"].MANIFEST_LOAD_TIMEOUT : errors["ErrorDetails"].MANIFEST_LOAD_ERROR; + fatal = true; + break; - /***/ }), - /* 156 */ - /***/ (function(module, exports, __webpack_require__) { + case PlaylistContextType.LEVEL: + details = timeout ? errors["ErrorDetails"].LEVEL_LOAD_TIMEOUT : errors["ErrorDetails"].LEVEL_LOAD_ERROR; + fatal = false; + break; + case PlaylistContextType.AUDIO_TRACK: + details = timeout ? errors["ErrorDetails"].AUDIO_TRACK_LOAD_TIMEOUT : errors["ErrorDetails"].AUDIO_TRACK_LOAD_ERROR; + fatal = false; + break; - var content = __webpack_require__(157); + default: + // details = ...? + fatal = false; + } - if(typeof content === 'string') content = [[module.i, content, '']]; + if (loader) { + loader.abort(); + this.resetInternalLoader(context.type); + } // TODO(typescript-events): when error events are handled, type this - var transform; - var insertInto; + var errorData = { + type: errors["ErrorTypes"].NETWORK_ERROR, + details: details, + fatal: fatal, + url: context.url, + loader: loader, + context: context, + networkDetails: networkDetails + }; + if (response) { + errorData.response = response; + } - var options = {"singleton":true,"hmr":true} + this.hls.trigger(events["default"].ERROR, errorData); + }; - options.transform = transform - options.insertInto = undefined; + _proto._handlePlaylistLoaded = function _handlePlaylistLoaded(response, stats, context, networkDetails) { + var type = context.type, + level = context.level, + id = context.id, + levelDetails = context.levelDetails; - var update = __webpack_require__(9)(content, options); + if (!levelDetails || !levelDetails.targetduration) { + this._handleManifestParsingError(response, context, 'invalid target duration', networkDetails); - if(content.locals) module.exports = content.locals; + return; + } - if(false) { - module.hot.accept("!!../../../../node_modules/css-loader/index.js!../../../../node_modules/postcss-loader/lib/index.js!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/bruno.torres/workspace/clappr/clappr/src/base/scss!./style.scss", function() { - var newContent = require("!!../../../../node_modules/css-loader/index.js!../../../../node_modules/postcss-loader/lib/index.js!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/bruno.torres/workspace/clappr/clappr/src/base/scss!./style.scss"); + var canHaveLevels = PlaylistLoader.canHaveQualityLevels(context.type); - if(typeof newContent === 'string') newContent = [[module.id, newContent, '']]; + if (canHaveLevels) { + this.hls.trigger(events["default"].LEVEL_LOADED, { + details: levelDetails, + level: level || 0, + id: id || 0, + stats: stats, + networkDetails: networkDetails + }); + } else { + switch (type) { + case PlaylistContextType.AUDIO_TRACK: + this.hls.trigger(events["default"].AUDIO_TRACK_LOADED, { + details: levelDetails, + id: id, + stats: stats, + networkDetails: networkDetails + }); + break; + + case PlaylistContextType.SUBTITLE_TRACK: + this.hls.trigger(events["default"].SUBTITLE_TRACK_LOADED, { + details: levelDetails, + id: id, + stats: stats, + networkDetails: networkDetails + }); + break; + } + } + }; - var locals = (function(a, b) { - var key, idx = 0; + return PlaylistLoader; + }(event_handler); - for(key in a) { - if(!b || a[key] !== b[key]) return false; - idx++; - } + /* harmony default export */ var playlist_loader = (playlist_loader_PlaylistLoader); +// CONCATENATED MODULE: ./src/loader/fragment-loader.js - for(key in b) idx--; - return idx === 0; - }(content.locals, newContent.locals)); - if(!locals) throw new Error('Aborting CSS HMR due to changed css-modules locals.'); + function fragment_loader_inheritsLoose(subClass, superClass) { subClass.prototype = Object.create(superClass.prototype); subClass.prototype.constructor = subClass; subClass.__proto__ = superClass; } - update(newContent); - }); + /* + * Fragment Loader +*/ - module.hot.dispose(function() { update(); }); - } - /***/ }), - /* 157 */ - /***/ (function(module, exports, __webpack_require__) { - exports = module.exports = __webpack_require__(8)(false); -// imports -// module - exports.push([module.i, ".container[data-container] {\n position: absolute;\n background-color: black;\n height: 100%;\n width: 100%; }\n .container[data-container] .chromeless {\n cursor: default; }\n\n[data-player]:not(.nocursor) .container[data-container]:not(.chromeless).pointer-enabled {\n cursor: pointer; }\n", ""]); + var fragment_loader_FragmentLoader = + /*#__PURE__*/ + function (_EventHandler) { + fragment_loader_inheritsLoose(FragmentLoader, _EventHandler); -// exports + function FragmentLoader(hls) { + var _this; + _this = _EventHandler.call(this, hls, events["default"].FRAG_LOADING) || this; + _this.loaders = {}; + return _this; + } - /***/ }), - /* 158 */ - /***/ (function(module, exports) { + var _proto = FragmentLoader.prototype; + _proto.destroy = function destroy() { + var loaders = this.loaders; - /** - * When source maps are enabled, `style-loader` uses a link element with a data-uri to - * embed the css on the page. This breaks all relative urls because now they are relative to a - * bundle instead of the current page. - * - * One solution is to only use full urls, but that may be impossible. - * - * Instead, this function "fixes" the relative urls to be absolute according to the current page location. - * - * A rudimentary test suite is located at `test/fixUrls.js` and can be run via the `npm test` command. - * - */ + for (var loaderName in loaders) { + var loader = loaders[loaderName]; - module.exports = function (css) { - // get current location - var location = typeof window !== "undefined" && window.location; + if (loader) { + loader.destroy(); + } + } - if (!location) { - throw new Error("fixUrls requires window.location"); - } + this.loaders = {}; - // blank or null? - if (!css || typeof css !== "string") { - return css; - } + _EventHandler.prototype.destroy.call(this); + }; - var baseUrl = location.protocol + "//" + location.host; - var currentDir = baseUrl + location.pathname.replace(/\/[^\/]*$/, "/"); + _proto.onFragLoading = function onFragLoading(data) { + var frag = data.frag, + type = frag.type, + loaders = this.loaders, + config = this.hls.config, + FragmentILoader = config.fLoader, + DefaultILoader = config.loader; // reset fragment state - // convert each url(...) - /* - This regular expression is just a way to recursively match brackets within - a string. + frag.loaded = 0; + var loader = loaders[type]; - /url\s*\( = Match on the word "url" with any whitespace after it and then a parens - ( = Start a capturing group - (?: = Start a non-capturing group - [^)(] = Match anything that isn't a parentheses - | = OR - \( = Match a start parentheses - (?: = Start another non-capturing groups - [^)(]+ = Match anything that isn't a parentheses - | = OR - \( = Match a start parentheses - [^)(]* = Match anything that isn't a parentheses - \) = Match a end parentheses - ) = End Group - *\) = Match anything and then a close parens - ) = Close non-capturing group - * = Match anything - ) = Close capturing group - \) = Match a close parens + if (loader) { + logger["logger"].warn("abort previous fragment loader for type: " + type); + loader.abort(); + } - /gi = Get all matches, not the first. Be case insensitive. - */ - var fixedCss = css.replace(/url\s*\(((?:[^)(]|\((?:[^)(]+|\([^)(]*\))*\))*)\)/gi, function(fullMatch, origUrl) { - // strip quotes (if they exist) - var unquotedOrigUrl = origUrl - .trim() - .replace(/^"(.*)"$/, function(o, $1){ return $1; }) - .replace(/^'(.*)'$/, function(o, $1){ return $1; }); - - // already a full url? no change - if (/^(#|data:|http:\/\/|https:\/\/|file:\/\/\/|\s*$)/i.test(unquotedOrigUrl)) { - return fullMatch; - } + loader = loaders[type] = frag.loader = config.fLoader ? new FragmentILoader(config) : new DefaultILoader(config); + var loaderContext, loaderConfig, loaderCallbacks; + loaderContext = { + url: frag.url, + frag: frag, + responseType: 'arraybuffer', + progressData: false + }; + var start = frag.byteRangeStartOffset, + end = frag.byteRangeEndOffset; - // convert the url to a full url - var newUrl; + if (Object(number_isFinite["isFiniteNumber"])(start) && Object(number_isFinite["isFiniteNumber"])(end)) { + loaderContext.rangeStart = start; + loaderContext.rangeEnd = end; + } - if (unquotedOrigUrl.indexOf("//") === 0) { - //TODO: should we add protocol? - newUrl = unquotedOrigUrl; - } else if (unquotedOrigUrl.indexOf("/") === 0) { - // path should be relative to the base url - newUrl = baseUrl + unquotedOrigUrl; // already starts with '/' - } else { - // path should be relative to current directory - newUrl = currentDir + unquotedOrigUrl.replace(/^\.\//, ""); // Strip leading './' - } + loaderConfig = { + timeout: config.fragLoadingTimeOut, + maxRetry: 0, + retryDelay: 0, + maxRetryDelay: config.fragLoadingMaxRetryTimeout + }; + loaderCallbacks = { + onSuccess: this.loadsuccess.bind(this), + onError: this.loaderror.bind(this), + onTimeout: this.loadtimeout.bind(this), + onProgress: this.loadprogress.bind(this) + }; + loader.load(loaderContext, loaderConfig, loaderCallbacks); + }; - // send back the fixed url(...) - return "url(" + JSON.stringify(newUrl) + ")"; - }); + _proto.loadsuccess = function loadsuccess(response, stats, context, networkDetails) { + if (networkDetails === void 0) { + networkDetails = null; + } - // send back the fixed css - return fixedCss; - }; + var payload = response.data, + frag = context.frag; // detach fragment loader on load success + frag.loader = undefined; + this.loaders[frag.type] = undefined; + this.hls.trigger(events["default"].FRAG_LOADED, { + payload: payload, + frag: frag, + stats: stats, + networkDetails: networkDetails + }); + }; - /***/ }), - /* 159 */ - /***/ (function(module, exports, __webpack_require__) { + _proto.loaderror = function loaderror(response, context, networkDetails) { + if (networkDetails === void 0) { + networkDetails = null; + } + var frag = context.frag; + var loader = frag.loader; - var content = __webpack_require__(160); + if (loader) { + loader.abort(); + } - if(typeof content === 'string') content = [[module.i, content, '']]; + this.loaders[frag.type] = undefined; + this.hls.trigger(events["default"].ERROR, { + type: errors["ErrorTypes"].NETWORK_ERROR, + details: errors["ErrorDetails"].FRAG_LOAD_ERROR, + fatal: false, + frag: context.frag, + response: response, + networkDetails: networkDetails + }); + }; - var transform; - var insertInto; + _proto.loadtimeout = function loadtimeout(stats, context, networkDetails) { + if (networkDetails === void 0) { + networkDetails = null; + } + var frag = context.frag; + var loader = frag.loader; + if (loader) { + loader.abort(); + } - var options = {"singleton":true,"hmr":true} + this.loaders[frag.type] = undefined; + this.hls.trigger(events["default"].ERROR, { + type: errors["ErrorTypes"].NETWORK_ERROR, + details: errors["ErrorDetails"].FRAG_LOAD_TIMEOUT, + fatal: false, + frag: context.frag, + networkDetails: networkDetails + }); + } // data will be used for progressive parsing + ; - options.transform = transform - options.insertInto = undefined; + _proto.loadprogress = function loadprogress(stats, context, data, networkDetails) { + if (networkDetails === void 0) { + networkDetails = null; + } - var update = __webpack_require__(9)(content, options); + // jshint ignore:line + var frag = context.frag; + frag.loaded = stats.loaded; + this.hls.trigger(events["default"].FRAG_LOAD_PROGRESS, { + frag: frag, + stats: stats, + networkDetails: networkDetails + }); + }; - if(content.locals) module.exports = content.locals; + return FragmentLoader; + }(event_handler); - if(false) { - module.hot.accept("!!../../../../node_modules/css-loader/index.js!../../../../node_modules/postcss-loader/lib/index.js!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/bruno.torres/workspace/clappr/clappr/src/base/scss!./style.scss", function() { - var newContent = require("!!../../../../node_modules/css-loader/index.js!../../../../node_modules/postcss-loader/lib/index.js!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/bruno.torres/workspace/clappr/clappr/src/base/scss!./style.scss"); + /* harmony default export */ var fragment_loader = (fragment_loader_FragmentLoader); +// CONCATENATED MODULE: ./src/loader/key-loader.ts + function key_loader_inheritsLoose(subClass, superClass) { subClass.prototype = Object.create(superClass.prototype); subClass.prototype.constructor = subClass; subClass.__proto__ = superClass; } - if(typeof newContent === 'string') newContent = [[module.id, newContent, '']]; + /* + * Decrypt key Loader +*/ - var locals = (function(a, b) { - var key, idx = 0; - for(key in a) { - if(!b || a[key] !== b[key]) return false; - idx++; - } - for(key in b) idx--; - return idx === 0; - }(content.locals, newContent.locals)); - if(!locals) throw new Error('Aborting CSS HMR due to changed css-modules locals.'); + var key_loader_KeyLoader = + /*#__PURE__*/ + function (_EventHandler) { + key_loader_inheritsLoose(KeyLoader, _EventHandler); - update(newContent); - }); + function KeyLoader(hls) { + var _this; - module.hot.dispose(function() { update(); }); - } + _this = _EventHandler.call(this, hls, events["default"].KEY_LOADING) || this; + _this.loaders = {}; + _this.decryptkey = null; + _this.decrypturl = null; + return _this; + } - /***/ }), - /* 160 */ - /***/ (function(module, exports, __webpack_require__) { + var _proto = KeyLoader.prototype; - exports = module.exports = __webpack_require__(8)(false); -// imports + _proto.destroy = function destroy() { + for (var loaderName in this.loaders) { + var loader = this.loaders[loaderName]; + if (loader) { + loader.destroy(); + } + } -// module - exports.push([module.i, "[data-player] {\n -webkit-touch-callout: none;\n -webkit-user-select: none;\n -moz-user-select: none;\n -ms-user-select: none;\n -o-user-select: none;\n user-select: none;\n -webkit-font-smoothing: antialiased;\n -moz-osx-font-smoothing: grayscale;\n -webkit-transform: translate3d(0, 0, 0);\n transform: translate3d(0, 0, 0);\n position: relative;\n margin: 0;\n padding: 0;\n border: 0;\n font-style: normal;\n font-weight: normal;\n text-align: center;\n overflow: hidden;\n font-size: 100%;\n font-family: \"Roboto\", \"Open Sans\", Arial, sans-serif;\n text-shadow: 0 0 0;\n box-sizing: border-box; }\n [data-player] div, [data-player] span, [data-player] applet, [data-player] object, [data-player] iframe,\n [data-player] h1, [data-player] h2, [data-player] h3, [data-player] h4, [data-player] h5, [data-player] h6, [data-player] p, [data-player] blockquote, [data-player] pre,\n [data-player] a, [data-player] abbr, [data-player] acronym, [data-player] address, [data-player] big, [data-player] cite, [data-player] code,\n [data-player] del, [data-player] dfn, [data-player] em, [data-player] img, [data-player] ins, [data-player] kbd, [data-player] q, [data-player] s, [data-player] samp,\n [data-player] small, [data-player] strike, [data-player] strong, [data-player] sub, [data-player] sup, [data-player] tt, [data-player] var,\n [data-player] b, [data-player] u, [data-player] i, [data-player] center,\n [data-player] dl, [data-player] dt, [data-player] dd, [data-player] ol, [data-player] ul, [data-player] li,\n [data-player] fieldset, [data-player] form, [data-player] label, [data-player] legend,\n [data-player] table, [data-player] caption, [data-player] tbody, [data-player] tfoot, [data-player] thead, [data-player] tr, [data-player] th, [data-player] td,\n [data-player] article, [data-player] aside, [data-player] canvas, [data-player] details, [data-player] embed,\n [data-player] figure, [data-player] figcaption, [data-player] footer, [data-player] header, [data-player] hgroup,\n [data-player] menu, [data-player] nav, [data-player] output, [data-player] ruby, [data-player] section, [data-player] summary,\n [data-player] time, [data-player] mark, [data-player] audio, [data-player] video {\n margin: 0;\n padding: 0;\n border: 0;\n font: inherit;\n font-size: 100%;\n vertical-align: baseline; }\n [data-player] table {\n border-collapse: collapse;\n border-spacing: 0; }\n [data-player] caption, [data-player] th, [data-player] td {\n text-align: left;\n font-weight: normal;\n vertical-align: middle; }\n [data-player] q, [data-player] blockquote {\n quotes: none; }\n [data-player] q:before, [data-player] q:after, [data-player] blockquote:before, [data-player] blockquote:after {\n content: \"\";\n content: none; }\n [data-player] a img {\n border: none; }\n [data-player]:focus {\n outline: 0; }\n [data-player] * {\n max-width: none;\n box-sizing: inherit;\n float: none; }\n [data-player] div {\n display: block; }\n [data-player].fullscreen {\n width: 100% !important;\n height: 100% !important;\n top: 0;\n left: 0; }\n [data-player].nocursor {\n cursor: none; }\n\n.clappr-style {\n display: none !important; }\n", ""]); + this.loaders = {}; -// exports + _EventHandler.prototype.destroy.call(this); + }; + _proto.onKeyLoading = function onKeyLoading(data) { + var frag = data.frag; + var type = frag.type; + var loader = this.loaders[type]; - /***/ }), - /* 161 */ - /***/ (function(module, exports, __webpack_require__) { + if (!frag.decryptdata) { + logger["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 escape = __webpack_require__(81); - exports = module.exports = __webpack_require__(8)(false); -// imports + var uri = frag.decryptdata.uri; -// module - exports.push([module.i, "@font-face {\n font-family: \"Roboto\";\n font-style: normal;\n font-weight: 400;\n src: local(\"Roboto\"), local(\"Roboto-Regular\"), url(" + escape(__webpack_require__(162)) + ") format(\"truetype\");\n}\n", ""]); + if (uri !== this.decrypturl || this.decryptkey === null) { + var config = this.hls.config; -// exports + if (loader) { + logger["logger"].warn("abort previous key loader for type:" + type); + loader.abort(); + } + if (!uri) { + logger["logger"].warn('key uri is falsy'); + return; + } - /***/ }), - /* 162 */ - /***/ (function(module, exports) { + frag.loader = this.loaders[type] = new config.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 + }; + var loaderCallbacks = { + onSuccess: this.loadsuccess.bind(this), + onError: this.loaderror.bind(this), + onTimeout: this.loadtimeout.bind(this) + }; + frag.loader.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["default"].KEY_LOADED, { + frag: frag + }); + } + }; - module.exports = "<%=baseUrl%>/38861cba61c66739c1452c3a71e39852.ttf"; + _proto.loadsuccess = function loadsuccess(response, stats, context) { + var frag = context.frag; - /***/ }), - /* 163 */ - /***/ (function(module, exports, __webpack_require__) { + if (!frag.decryptdata) { + logger["logger"].error('after key load, decryptdata unset'); + return; + } - "use strict"; + this.decryptkey = frag.decryptdata.key = new Uint8Array(response.data); // detach fragment loader on load success + frag.loader = undefined; + delete this.loaders[frag.type]; + this.hls.trigger(events["default"].KEY_LOADED, { + frag: frag + }); + }; - Object.defineProperty(exports, "__esModule", { - value: true - }); + _proto.loaderror = function loaderror(response, context) { + var frag = context.frag; + var loader = frag.loader; - var _create = __webpack_require__(76); + if (loader) { + loader.abort(); + } - var _create2 = _interopRequireDefault(_create); + delete this.loaders[frag.type]; + this.hls.trigger(events["default"].ERROR, { + type: errors["ErrorTypes"].NETWORK_ERROR, + details: errors["ErrorDetails"].KEY_LOAD_ERROR, + fatal: false, + frag: frag, + response: response + }); + }; - var _toConsumableArray2 = __webpack_require__(61); + _proto.loadtimeout = function loadtimeout(stats, context) { + var frag = context.frag; + var loader = frag.loader; - var _toConsumableArray3 = _interopRequireDefault(_toConsumableArray2); + if (loader) { + loader.abort(); + } - var _classCallCheck2 = __webpack_require__(0); + delete this.loaders[frag.type]; + this.hls.trigger(events["default"].ERROR, { + type: errors["ErrorTypes"].NETWORK_ERROR, + details: errors["ErrorDetails"].KEY_LOAD_TIMEOUT, + fatal: false, + frag: frag + }); + }; - var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + return KeyLoader; + }(event_handler); - var _possibleConstructorReturn2 = __webpack_require__(1); + /* harmony default export */ var key_loader = (key_loader_KeyLoader); +// CONCATENATED MODULE: ./src/controller/fragment-tracker.js - var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); - var _inherits2 = __webpack_require__(2); + function fragment_tracker_inheritsLoose(subClass, superClass) { subClass.prototype = Object.create(superClass.prototype); subClass.prototype.constructor = subClass; subClass.__proto__ = superClass; } - var _inherits3 = _interopRequireDefault(_inherits2); - var _base_object = __webpack_require__(15); - var _base_object2 = _interopRequireDefault(_base_object); + var FragmentState = { + NOT_LOADED: 'NOT_LOADED', + APPENDING: 'APPENDING', + PARTIAL: 'PARTIAL', + OK: 'OK' + }; + var fragment_tracker_FragmentTracker = + /*#__PURE__*/ + function (_EventHandler) { + fragment_tracker_inheritsLoose(FragmentTracker, _EventHandler); + + function FragmentTracker(hls) { + var _this; + + _this = _EventHandler.call(this, hls, events["default"].BUFFER_APPENDED, events["default"].FRAG_BUFFERED, events["default"].FRAG_LOADED) || this; + _this.bufferPadding = 0.2; + _this.fragments = Object.create(null); + _this.timeRanges = Object.create(null); + _this.config = hls.config; + return _this; + } - var _player_info = __webpack_require__(40); + var _proto = FragmentTracker.prototype; - var _player_info2 = _interopRequireDefault(_player_info); + _proto.destroy = function destroy() { + this.fragments = Object.create(null); + this.timeRanges = Object.create(null); + this.config = null; + event_handler.prototype.destroy.call(this); - var _html5_video = __webpack_require__(41); + _EventHandler.prototype.destroy.call(this); + } + /** + * Return a Fragment that match the position and levelType. + * If not found any Fragment, return null + * @param {number} position + * @param {LevelType} levelType + * @returns {Fragment|null} + */ + ; + + _proto.getBufferedFrag = function getBufferedFrag(position, levelType) { + var fragments = this.fragments; + var bufferedFrags = Object.keys(fragments).filter(function (key) { + var fragmentEntity = fragments[key]; + + if (fragmentEntity.body.type !== levelType) { + return false; + } - var _html5_video2 = _interopRequireDefault(_html5_video); + if (!fragmentEntity.buffered) { + return false; + } - var _flash = __webpack_require__(84); + var frag = fragmentEntity.body; + return frag.startPTS <= position && position <= frag.endPTS; + }); - var _flash2 = _interopRequireDefault(_flash); + if (bufferedFrags.length === 0) { + return null; + } else { + // https://github.com/video-dev/hls.js/pull/1545#discussion_r166229566 + var bufferedFragKey = bufferedFrags.pop(); + return fragments[bufferedFragKey].body; + } + } + /** + * 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) + * @param {String} elementaryStream The elementaryStream of media this is (eg. video/audio) + * @param {TimeRanges} timeRange TimeRange object from a sourceBuffer + */ + ; - var _html5_audio = __webpack_require__(85); + _proto.detectEvictedFragments = function detectEvictedFragments(elementaryStream, timeRange) { + var _this2 = this; - var _html5_audio2 = _interopRequireDefault(_html5_audio); + var fragmentTimes, time; // Check if any flagged fragments have been unloaded - var _flashls = __webpack_require__(86); + Object.keys(this.fragments).forEach(function (key) { + var fragmentEntity = _this2.fragments[key]; - var _flashls2 = _interopRequireDefault(_flashls); + if (fragmentEntity.buffered === true) { + var esData = fragmentEntity.range[elementaryStream]; - var _hls = __webpack_require__(87); + if (esData) { + fragmentTimes = esData.time; - var _hls2 = _interopRequireDefault(_hls); + for (var i = 0; i < fragmentTimes.length; i++) { + time = fragmentTimes[i]; - var _html_img = __webpack_require__(89); + if (_this2.isTimeBuffered(time.startPTS, time.endPTS, timeRange) === false) { + // Unregister partial fragment as it needs to load again to be reused + _this2.removeFragment(fragmentEntity.body); - var _html_img2 = _interopRequireDefault(_html_img); + break; + } + } + } + } + }); + } + /** + * Checks if the fragment passed in is loaded in the buffer properly + * Partially loaded fragments will be registered as a partial fragment + * @param {Object} fragment Check the fragment against all sourceBuffers loaded + */ + ; + + _proto.detectPartialFragments = function detectPartialFragments(fragment) { + var _this3 = this; + + var fragKey = this.getFragmentKey(fragment); + var fragmentEntity = this.fragments[fragKey]; + + if (fragmentEntity) { + fragmentEntity.buffered = true; + Object.keys(this.timeRanges).forEach(function (elementaryStream) { + if (fragment.hasElementaryStream(elementaryStream)) { + var timeRange = _this3.timeRanges[elementaryStream]; // Check for malformed fragments + // Gaps need to be calculated for each elementaryStream + + fragmentEntity.range[elementaryStream] = _this3.getBufferedTimes(fragment.startPTS, fragment.endPTS, timeRange); + } + }); + } + }; - var _no_op = __webpack_require__(90); + _proto.getBufferedTimes = function getBufferedTimes(startPTS, endPTS, timeRange) { + var fragmentTimes = []; + var startTime, endTime; + var fragmentPartial = false; + + 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) { + // Fragment is entirely contained in buffer + // No need to check the other timeRange times since it's completely playable + fragmentTimes.push({ + startPTS: Math.max(startPTS, timeRange.start(i)), + endPTS: Math.min(endPTS, timeRange.end(i)) + }); + break; + } else if (startPTS < endTime && endPTS > startTime) { + // Check for intersection with buffer + // Get playable sections of the fragment + fragmentTimes.push({ + startPTS: Math.max(startPTS, timeRange.start(i)), + endPTS: Math.min(endPTS, timeRange.end(i)) + }); + fragmentPartial = true; + } else if (endPTS <= startTime) { + // No need to check the rest of the timeRange as it is in order + break; + } + } - var _no_op2 = _interopRequireDefault(_no_op); + return { + time: fragmentTimes, + partial: fragmentPartial + }; + }; - var _spinner_three_bounce = __webpack_require__(91); + _proto.getFragmentKey = function getFragmentKey(fragment) { + return fragment.type + "_" + fragment.level + "_" + fragment.urlId + "_" + fragment.sn; + } + /** + * Gets the partial fragment for a certain time + * @param {Number} time + * @returns {Object} fragment Returns a partial fragment at a time or null if there is no partial fragment + */ + ; + + _proto.getPartialFragment = function getPartialFragment(time) { + var _this4 = this; + + var timePadding, startTime, endTime; + var bestFragment = null; + var bestOverlap = 0; + Object.keys(this.fragments).forEach(function (key) { + var fragmentEntity = _this4.fragments[key]; + + if (_this4.isPartial(fragmentEntity)) { + startTime = fragmentEntity.body.startPTS - _this4.bufferPadding; + endTime = fragmentEntity.body.endPTS + _this4.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; + } + /** + * @param {Object} fragment The fragment to check + * @returns {String} Returns the fragment state when a fragment never loaded or if it partially loaded + */ + ; + + _proto.getState = function getState(fragment) { + var fragKey = this.getFragmentKey(fragment); + var fragmentEntity = this.fragments[fragKey]; + var state = FragmentState.NOT_LOADED; + + if (fragmentEntity !== undefined) { + if (!fragmentEntity.buffered) { + state = FragmentState.APPENDING; + } else if (this.isPartial(fragmentEntity) === true) { + state = FragmentState.PARTIAL; + } else { + state = FragmentState.OK; + } + } - var _spinner_three_bounce2 = _interopRequireDefault(_spinner_three_bounce); + return state; + }; - var _stats = __webpack_require__(200); + _proto.isPartial = function isPartial(fragmentEntity) { + return fragmentEntity.buffered === true && (fragmentEntity.range.video !== undefined && fragmentEntity.range.video.partial === true || fragmentEntity.range.audio !== undefined && fragmentEntity.range.audio.partial === true); + }; - var _stats2 = _interopRequireDefault(_stats); + _proto.isTimeBuffered = function isTimeBuffered(startPTS, endPTS, timeRange) { + var startTime, endTime; - var _watermark = __webpack_require__(92); + for (var i = 0; i < timeRange.length; i++) { + startTime = timeRange.start(i) - this.bufferPadding; + endTime = timeRange.end(i) + this.bufferPadding; - var _watermark2 = _interopRequireDefault(_watermark); + if (startPTS >= startTime && endPTS <= endTime) { + return true; + } - var _poster = __webpack_require__(93); + if (endPTS <= startTime) { + // No need to check the rest of the timeRange as it is in order + return false; + } + } - var _poster2 = _interopRequireDefault(_poster); + return false; + } + /** + * Fires when a fragment loading is completed + */ + ; - var _google_analytics = __webpack_require__(210); + _proto.onFragLoaded = function onFragLoaded(e) { + var fragment = e.frag; // don't track initsegment (for which sn is not a number) + // don't track frags used for bitrateTest, they're irrelevant. - var _google_analytics2 = _interopRequireDefault(_google_analytics); + if (!Object(number_isFinite["isFiniteNumber"])(fragment.sn) || fragment.bitrateTest) { + return; + } - var _click_to_pause = __webpack_require__(94); + this.fragments[this.getFragmentKey(fragment)] = { + body: fragment, + range: Object.create(null), + buffered: false + }; + } + /** + * Fires when the buffer is updated + */ + ; - var _click_to_pause2 = _interopRequireDefault(_click_to_pause); + _proto.onBufferAppended = function onBufferAppended(e) { + var _this5 = this; - var _media_control = __webpack_require__(95); + // Store the latest timeRanges loaded in the buffer + this.timeRanges = e.timeRanges; + Object.keys(this.timeRanges).forEach(function (elementaryStream) { + var timeRange = _this5.timeRanges[elementaryStream]; - var _media_control2 = _interopRequireDefault(_media_control); + _this5.detectEvictedFragments(elementaryStream, timeRange); + }); + } + /** + * Fires after a fragment has been loaded into the source buffer + */ + ; - var _dvr_controls = __webpack_require__(98); + _proto.onFragBuffered = function onFragBuffered(e) { + this.detectPartialFragments(e.frag); + } + /** + * Return true if fragment tracker has the fragment. + * @param {Object} fragment + * @returns {boolean} + */ + ; + + _proto.hasFragment = function hasFragment(fragment) { + var fragKey = this.getFragmentKey(fragment); + return this.fragments[fragKey] !== undefined; + } + /** + * Remove a fragment from fragment tracker until it is loaded again + * @param {Object} fragment The fragment to remove + */ + ; + + _proto.removeFragment = function removeFragment(fragment) { + var fragKey = this.getFragmentKey(fragment); + delete this.fragments[fragKey]; + } + /** + * Remove all fragments from fragment tracker. + */ + ; - var _dvr_controls2 = _interopRequireDefault(_dvr_controls); + _proto.removeAllFragments = function removeAllFragments() { + this.fragments = Object.create(null); + }; - var _closed_captions = __webpack_require__(227); + return FragmentTracker; + }(event_handler); +// CONCATENATED MODULE: ./src/utils/binary-search.ts + 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; + } + } - var _closed_captions2 = _interopRequireDefault(_closed_captions); + return null; + } + }; + /* harmony default export */ var binary_search = (BinarySearch); +// CONCATENATED MODULE: ./src/utils/buffer-helper.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 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 = media.buffered; - var _favicon = __webpack_require__(99); + 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 + } - var _favicon2 = _interopRequireDefault(_favicon); + return false; + }; - var _seek_time = __webpack_require__(234); + BufferHelper.bufferInfo = function bufferInfo(media, pos, maxHoleDuration) { + try { + if (media) { + var vbuffered = media.buffered; + var buffered = []; + var i; + + for (i = 0; i < vbuffered.length; i++) { + buffered.push({ + start: vbuffered.start(i), + end: vbuffered.end(i) + }); + } - var _seek_time2 = _interopRequireDefault(_seek_time); + 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 + } - var _sources = __webpack_require__(239); + return { + len: 0, + start: pos, + end: pos, + nextStart: undefined + }; + }; - var _sources2 = _interopRequireDefault(_sources); + 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; - var _end_video = __webpack_require__(240); + 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 _end_video2 = _interopRequireDefault(_end_video); + var bufferLen = 0; // bufferStartNext can possibly be undefined based on the conditional logic below - var _strings = __webpack_require__(241); + var bufferStartNext; // bufferStart and bufferEnd are buffer boundaries around current video position - var _strings2 = _interopRequireDefault(_strings); + var bufferStart = pos; + var bufferEnd = pos; - var _error_screen = __webpack_require__(242); + for (var _i = 0; _i < buffered2.length; _i++) { + var start = buffered2[_i].start, + end = buffered2[_i].end; // logger.log('buf start/end:' + buffered.start(i) + '/' + buffered.end(i)); - var _error_screen2 = _interopRequireDefault(_error_screen); + 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; + } + } - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + return { + len: bufferLen, + start: bufferStart, + end: bufferEnd, + nextStart: bufferStartNext + }; + }; - /** - * It keeps a list of the default plugins (playback, container, core) and it merges external plugins with its internals. - * @class Loader - * @constructor - * @extends BaseObject - * @module components - */ + return BufferHelper; + }(); +// EXTERNAL MODULE: ./node_modules/eventemitter3/index.js + var eventemitter3 = __webpack_require__("./node_modules/eventemitter3/index.js"); +// EXTERNAL MODULE: ./node_modules/webworkify-webpack/index.js + var webworkify_webpack = __webpack_require__("./node_modules/webworkify-webpack/index.js"); - /* Playback Plugins */ -// Copyright 2014 Globo.com Player authors. All rights reserved. -// Use of this source code is governed by a BSD-style -// license that can be found in the LICENSE file. +// EXTERNAL MODULE: ./src/demux/demuxer-inline.js + 12 modules + var demuxer_inline = __webpack_require__("./src/demux/demuxer-inline.js"); - var Loader = function (_BaseObject) { - (0, _inherits3.default)(Loader, _BaseObject); +// CONCATENATED MODULE: ./src/utils/mediasource-helper.ts + /** + * MediaSource helper + */ + function getMediaSource() { + return window.MediaSource || window.WebKitMediaSource; + } +// EXTERNAL MODULE: ./src/utils/get-self-scope.js + var get_self_scope = __webpack_require__("./src/utils/get-self-scope.js"); - /** - * builds the loader - * @method constructor - * @param {Object} externalPlugins the external plugins - * @param {Number} playerId you can embed multiple instances of clappr, therefore this is the unique id of each one. - */ - function Loader() { - var externalPlugins = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : []; - var playerId = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : 0; - var useOnlyPlainHtml5Plugins = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : false; - (0, _classCallCheck3.default)(this, Loader); +// CONCATENATED MODULE: ./src/observer.ts + function observer_inheritsLoose(subClass, superClass) { subClass.prototype = Object.create(superClass.prototype); subClass.prototype.constructor = subClass; subClass.__proto__ = superClass; } - var _this = (0, _possibleConstructorReturn3.default)(this, _BaseObject.call(this)); - _this.playerId = playerId; - _this.playbackPlugins = []; + /** + * Simple adapter sub-class of Nodejs-like EventEmitter. + */ - if (!useOnlyPlainHtml5Plugins) { - _this.playbackPlugins = [].concat((0, _toConsumableArray3.default)(_this.playbackPlugins), [_hls2.default]); - } + var Observer = + /*#__PURE__*/ + function (_EventEmitter) { + observer_inheritsLoose(Observer, _EventEmitter); - _this.playbackPlugins = [].concat((0, _toConsumableArray3.default)(_this.playbackPlugins), [_html5_video2.default, _html5_audio2.default]); + function Observer() { + return _EventEmitter.apply(this, arguments) || this; + } - if (!useOnlyPlainHtml5Plugins) { - _this.playbackPlugins = [].concat((0, _toConsumableArray3.default)(_this.playbackPlugins), [_flash2.default, _flashls2.default]); - } + var _proto = Observer.prototype; - _this.playbackPlugins = [].concat((0, _toConsumableArray3.default)(_this.playbackPlugins), [_html_img2.default, _no_op2.default]); + /** + * We simply want to pass along the event-name itself + * in every call to a handler, which is the purpose of our `trigger` method + * extending the standard API. + */ + _proto.trigger = function trigger(event) { + for (var _len = arguments.length, data = new Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) { + data[_key - 1] = arguments[_key]; + } - _this.containerPlugins = [_spinner_three_bounce2.default, _watermark2.default, _poster2.default, _stats2.default, _google_analytics2.default, _click_to_pause2.default]; - _this.corePlugins = [_media_control2.default, _dvr_controls2.default, _closed_captions2.default, _favicon2.default, _seek_time2.default, _sources2.default, _end_video2.default, _error_screen2.default, _strings2.default]; + this.emit.apply(this, [event, event].concat(data)); + }; - if (!Array.isArray(externalPlugins)) _this.validateExternalPluginsType(externalPlugins); + return Observer; + }(eventemitter3["EventEmitter"]); +// CONCATENATED MODULE: ./src/demux/demuxer.js - _this.addExternalPlugins(externalPlugins); - return _this; - } - /** - * groups by type the external plugins that were passed through `options.plugins` it they're on a flat array - * @method addExternalPlugins - * @private - * @param {Object} an config object or an array of plugins - * @return {Object} plugins the config object with the plugins separated by type - */ - Loader.prototype.groupPluginsByType = function groupPluginsByType(plugins) { - if (Array.isArray(plugins)) { - plugins = plugins.reduce(function (memo, plugin) { - memo[plugin.type] || (memo[plugin.type] = []); - memo[plugin.type].push(plugin); - return memo; - }, {}); - } - return plugins; - }; - Loader.prototype.removeDups = function removeDups(list) { - var groupUp = function groupUp(plugins, plugin) { - plugins[plugin.prototype.name] && delete plugins[plugin.prototype.name]; - plugins[plugin.prototype.name] = plugin; - return plugins; - }; - var pluginsMap = list.reduceRight(groupUp, (0, _create2.default)(null)); - var plugins = []; - for (var key in pluginsMap) { - plugins.unshift(pluginsMap[key]); - }return plugins; - }; - /** - * adds all the external plugins that were passed through `options.plugins` - * @method addExternalPlugins - * @private - * @param {Object} plugins the config object with all plugins - */ - Loader.prototype.addExternalPlugins = function addExternalPlugins(plugins) { - plugins = this.groupPluginsByType(plugins); - if (plugins.playback) this.playbackPlugins = this.removeDups(plugins.playback.concat(this.playbackPlugins)); + // see https://stackoverflow.com/a/11237259/589493 - if (plugins.container) this.containerPlugins = this.removeDups(plugins.container.concat(this.containerPlugins)); + var global = Object(get_self_scope["getSelfScope"])(); // safeguard for code that might run both on worker and main thread - if (plugins.core) this.corePlugins = this.removeDups(plugins.core.concat(this.corePlugins)); + var demuxer_MediaSource = getMediaSource() || { + isTypeSupported: function isTypeSupported() { + return false; + } + }; - _player_info2.default.getInstance(this.playerId).playbackPlugins = this.playbackPlugins; - }; + var demuxer_Demuxer = + /*#__PURE__*/ + function () { + function Demuxer(hls, id) { + var _this = this; + + this.hls = hls; + this.id = id; + var observer = this.observer = new Observer(); + 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 + + + observer.on(events["default"].FRAG_DECRYPTED, forwardMessage); + observer.on(events["default"].FRAG_PARSING_INIT_SEGMENT, forwardMessage); + observer.on(events["default"].FRAG_PARSING_DATA, forwardMessage); + observer.on(events["default"].FRAG_PARSED, forwardMessage); + observer.on(events["default"].ERROR, forwardMessage); + observer.on(events["default"].FRAG_PARSING_METADATA, forwardMessage); + observer.on(events["default"].FRAG_PARSING_USERDATA, forwardMessage); + observer.on(events["default"].INIT_PTS_FOUND, forwardMessage); + var typeSupported = { + mp4: demuxer_MediaSource.isTypeSupported('video/mp4'), + mpeg: demuxer_MediaSource.isTypeSupported('audio/mpeg'), + mp3: demuxer_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') { + logger["logger"].log('demuxing in webworker'); + var w; - /** - * validate if the external plugins that were passed through `options.plugins` are associated to the correct type - * @method validateExternalPluginsType - * @private - * @param {Object} plugins the config object with all plugins - */ + try { + w = this.w = webworkify_webpack(/*require.resolve*/(/*! ../demux/demuxer-worker.js */ "./src/demux/demuxer-worker.js")); + this.onwmsg = this.onWorkerMessage.bind(this); + w.addEventListener('message', this.onwmsg); + + w.onerror = function (event) { + hls.trigger(events["default"].ERROR, { + type: errors["ErrorTypes"].OTHER_ERROR, + details: errors["ErrorDetails"].INTERNAL_EXCEPTION, + fatal: true, + event: 'demuxerWorker', + err: { + message: event.message + ' (' + event.filename + ':' + event.lineno + ')' + } + }); + }; + + w.postMessage({ + cmd: 'init', + typeSupported: typeSupported, + vendor: vendor, + id: id, + config: JSON.stringify(config) + }); + } catch (err) { + logger["logger"].warn('Error in worker:', err); + logger["logger"].error('Error while initializing DemuxerWorker, fallback on DemuxerInline'); + + if (w) { + // revoke the Object URL that was used to create demuxer worker, so as not to leak it + global.URL.revokeObjectURL(w.objectURL); + } + this.demuxer = new demuxer_inline["default"](observer, typeSupported, config, vendor); + this.w = undefined; + } + } else { + this.demuxer = new demuxer_inline["default"](observer, typeSupported, config, vendor); + } + } - Loader.prototype.validateExternalPluginsType = function validateExternalPluginsType(plugins) { - var plugintypes = ['playback', 'container', 'core']; - plugintypes.forEach(function (type) { - (plugins[type] || []).forEach(function (el) { - var errorMessage = 'external ' + el.type + ' plugin on ' + type + ' array'; - if (el.type !== type) throw new ReferenceError(errorMessage); - }); - }); - }; + var _proto = Demuxer.prototype; - return Loader; - }(_base_object2.default); + _proto.destroy = function destroy() { + var w = this.w; - /* Core Plugins */ + if (w) { + w.removeEventListener('message', this.onwmsg); + w.terminate(); + this.w = null; + } else { + var demuxer = this.demuxer; + if (demuxer) { + demuxer.destroy(); + this.demuxer = null; + } + } - /* Container Plugins */ + var observer = this.observer; + if (observer) { + observer.removeAllListeners(); + this.observer = null; + } + }; - exports.default = Loader; - module.exports = exports['default']; + _proto.push = function push(data, initSegment, audioCodec, videoCodec, frag, duration, accurateTimeOffset, defaultInitPTS) { + var w = this.w; + var timeOffset = Object(number_isFinite["isFiniteNumber"])(frag.startPTS) ? frag.startPTS : frag.start; + var decryptdata = frag.decryptdata; + var lastFrag = this.frag; + var discontinuity = !(lastFrag && frag.cc === lastFrag.cc); + var trackSwitch = !(lastFrag && frag.level === lastFrag.level); + var nextSN = lastFrag && frag.sn === lastFrag.sn + 1; + var contiguous = !trackSwitch && nextSN; + + if (discontinuity) { + logger["logger"].log(this.id + ":discontinuity detected"); + } - /***/ }), - /* 164 */ - /***/ (function(module, exports, __webpack_require__) { + if (trackSwitch) { + logger["logger"].log(this.id + ":switch detected"); + } - __webpack_require__(71); - __webpack_require__(165); - module.exports = __webpack_require__(11).Array.from; + this.frag = frag; + + if (w) { + // post fragment payload as transferable objects for ArrayBuffer (no copy) + w.postMessage({ + cmd: 'demux', + data: data, + decryptdata: decryptdata, + initSegment: initSegment, + audioCodec: audioCodec, + videoCodec: videoCodec, + timeOffset: timeOffset, + discontinuity: discontinuity, + trackSwitch: trackSwitch, + contiguous: contiguous, + duration: duration, + accurateTimeOffset: accurateTimeOffset, + defaultInitPTS: defaultInitPTS + }, data instanceof ArrayBuffer ? [data] : []); + } else { + var demuxer = this.demuxer; - /***/ }), - /* 165 */ - /***/ (function(module, exports, __webpack_require__) { + if (demuxer) { + demuxer.push(data, decryptdata, initSegment, audioCodec, videoCodec, timeOffset, discontinuity, trackSwitch, contiguous, duration, accurateTimeOffset, defaultInitPTS); + } + } + }; - "use strict"; + _proto.onWorkerMessage = function onWorkerMessage(ev) { + var data = ev.data, + hls = this.hls; - var ctx = __webpack_require__(44) - , $export = __webpack_require__(16) - , toObject = __webpack_require__(38) - , call = __webpack_require__(166) - , isArrayIter = __webpack_require__(167) - , toLength = __webpack_require__(69) - , createProperty = __webpack_require__(168) - , getIterFn = __webpack_require__(169); + switch (data.event) { + case 'init': + // revoke the Object URL that was used to create demuxer worker, so as not to leak it + global.URL.revokeObjectURL(this.w.objectURL); + break; + // special case for FRAG_PARSING_DATA: data1 and data2 are transferable objects - $export($export.S + $export.F * !__webpack_require__(171)(function(iter){ Array.from(iter); }), 'Array', { - // 22.1.2.1 Array.from(arrayLike, mapfn = undefined, thisArg = undefined) - from: function from(arrayLike/*, mapfn = undefined, thisArg = undefined*/){ - var O = toObject(arrayLike) - , C = typeof this == 'function' ? this : Array - , aLen = arguments.length - , mapfn = aLen > 1 ? arguments[1] : undefined - , mapping = mapfn !== undefined - , index = 0 - , iterFn = getIterFn(O) - , length, result, step, iterator; - if(mapping)mapfn = ctx(mapfn, aLen > 2 ? arguments[2] : undefined, 2); - // if object isn't iterable or it's array with default iterator - use simple case - if(iterFn != undefined && !(C == Array && isArrayIter(iterFn))){ - for(iterator = iterFn.call(O), result = new C; !(step = iterator.next()).done; index++){ - createProperty(result, index, mapping ? call(iterator, mapfn, [step.value, index], true) : step.value); - } - } else { - length = toLength(O.length); - for(result = new C(length); length > index; index++){ - createProperty(result, index, mapping ? mapfn(O[index], index) : O[index]); - } - } - result.length = index; - return result; - } - }); + case events["default"].FRAG_PARSING_DATA: + data.data.data1 = new Uint8Array(data.data1); + if (data.data2) { + data.data.data2 = new Uint8Array(data.data2); + } - /***/ }), - /* 166 */ - /***/ (function(module, exports, __webpack_require__) { + /* falls through */ -// call something on iterator step with safe closing on error - var anObject = __webpack_require__(26); - module.exports = function(iterator, fn, value, entries){ - try { - return entries ? fn(anObject(value)[0], value[1]) : fn(value); - // 7.4.6 IteratorClose(iterator, completion) - } catch(e){ - var ret = iterator['return']; - if(ret !== undefined)anObject(ret.call(iterator)); - throw e; - } - }; + default: + data.data = data.data || {}; + data.data.frag = this.frag; + data.data.id = this.id; + hls.trigger(data.event, data.data); + break; + } + }; - /***/ }), - /* 167 */ - /***/ (function(module, exports, __webpack_require__) { + return Demuxer; + }(); -// check on default Array iterator - var Iterators = __webpack_require__(34) - , ITERATOR = __webpack_require__(13)('iterator') - , ArrayProto = Array.prototype; + /* harmony default export */ var demux_demuxer = (demuxer_Demuxer); +// CONCATENATED MODULE: ./src/controller/level-helper.js - module.exports = function(it){ - return it !== undefined && (Iterators.Array === it || ArrayProto[ITERATOR] === it); - }; - /***/ }), - /* 168 */ - /***/ (function(module, exports, __webpack_require__) { - "use strict"; - var $defineProperty = __webpack_require__(18) - , createDesc = __webpack_require__(33); - module.exports = function(object, index, value){ - if(index in object)$defineProperty.f(object, index, createDesc(0, value)); - else object[index] = value; - }; + /** + * @module LevelHelper + * + * Providing methods dealing with playlist sliding and drift + * + * TODO: Create an actual `Level` class/model that deals with all this logic in an object-oriented-manner. + * + * */ - /***/ }), - /* 169 */ - /***/ (function(module, exports, __webpack_require__) { + function addGroupId(level, type, id) { + switch (type) { + case 'audio': + if (!level.audioGroupIds) { + level.audioGroupIds = []; + } - var classof = __webpack_require__(170) - , ITERATOR = __webpack_require__(13)('iterator') - , Iterators = __webpack_require__(34); - module.exports = __webpack_require__(11).getIteratorMethod = function(it){ - if(it != undefined)return it[ITERATOR] - || it['@@iterator'] - || Iterators[classof(it)]; - }; + level.audioGroupIds.push(id); + break; - /***/ }), - /* 170 */ - /***/ (function(module, exports, __webpack_require__) { + case 'text': + if (!level.textGroupIds) { + level.textGroupIds = []; + } -// getting tag from 19.1.3.6 Object.prototype.toString() - var cof = __webpack_require__(46) - , TAG = __webpack_require__(13)('toStringTag') - // ES3 wrong here - , ARG = cof(function(){ return arguments; }()) == 'Arguments'; + level.textGroupIds.push(id); + break; + } + } + function updatePTS(fragments, fromIdx, toIdx) { + var fragFrom = fragments[fromIdx], + fragTo = fragments[toIdx], + fragToPTS = fragTo.startPTS; // if we know startPTS[toIdx] -// fallback for IE11 Script Access Denied error - var tryGet = function(it, key){ - try { - return it[key]; - } catch(e){ /* empty */ } - }; - - module.exports = function(it){ - var O, T, B; - return it === undefined ? 'Undefined' : it === null ? 'Null' - // @@toStringTag case - : typeof (T = tryGet(O = Object(it), TAG)) == 'string' ? T - // builtinTag case - : ARG ? cof(O) - // ES3 arguments fallback - : (B = cof(O)) == 'Object' && typeof O.callee == 'function' ? 'Arguments' : B; - }; - - /***/ }), - /* 171 */ - /***/ (function(module, exports, __webpack_require__) { - - var ITERATOR = __webpack_require__(13)('iterator') - , SAFE_CLOSING = false; - - try { - var riter = [7][ITERATOR](); - riter['return'] = function(){ SAFE_CLOSING = true; }; - Array.from(riter, function(){ throw 2; }); - } catch(e){ /* empty */ } - - module.exports = function(exec, skipClosing){ - if(!skipClosing && !SAFE_CLOSING)return false; - var safe = false; - try { - var arr = [7] - , iter = arr[ITERATOR](); - iter.next = function(){ return {done: safe = true}; }; - arr[ITERATOR] = function(){ return iter; }; - exec(arr); - } catch(e){ /* empty */ } - return safe; - }; + if (Object(number_isFinite["isFiniteNumber"])(fragToPTS)) { + // update fragment duration. + // it helps to fix drifts between playlist reported duration and fragment real duration + if (toIdx > fromIdx) { + fragFrom.duration = fragToPTS - fragFrom.start; - /***/ }), - /* 172 */ - /***/ (function(module, exports, __webpack_require__) { + if (fragFrom.duration < 0) { + logger["logger"].warn("negative duration computed for frag " + fragFrom.sn + ",level " + fragFrom.level + ", there should be some duration drift between playlist and fragment!"); + } + } else { + fragTo.duration = fragFrom.start - fragToPTS; - "use strict"; - /* WEBPACK VAR INJECTION */(function(process) { + if (fragTo.duration < 0) { + logger["logger"].warn("negative duration computed for frag " + fragTo.sn + ",level " + fragTo.level + ", there should be some duration drift between playlist and fragment!"); + } + } + } else { + // we dont know startPTS[toIdx] + if (toIdx > fromIdx) { + fragTo.start = fragFrom.start + fragFrom.duration; + } else { + fragTo.start = Math.max(fragFrom.start - fragTo.duration, 0); + } + } + } + function updateFragPTSDTS(details, frag, startPTS, endPTS, startDTS, endDTS) { + // update frag PTS/DTS + var maxStartPTS = startPTS; - Object.defineProperty(exports, "__esModule", { - value: true - }); + if (Object(number_isFinite["isFiniteNumber"])(frag.startPTS)) { + // delta PTS between audio and video + var deltaPTS = Math.abs(frag.startPTS - startPTS); - var _from = __webpack_require__(83); + if (!Object(number_isFinite["isFiniteNumber"])(frag.deltaPTS)) { + frag.deltaPTS = deltaPTS; + } else { + frag.deltaPTS = Math.max(deltaPTS, frag.deltaPTS); + } - var _from2 = _interopRequireDefault(_from); + maxStartPTS = Math.max(startPTS, frag.startPTS); + startPTS = Math.min(startPTS, frag.startPTS); + endPTS = Math.max(endPTS, frag.endPTS); + startDTS = Math.min(startDTS, frag.startDTS); + endDTS = Math.max(endDTS, frag.endDTS); + } - var _classCallCheck2 = __webpack_require__(0); + var drift = startPTS - frag.start; + frag.start = frag.startPTS = startPTS; + frag.maxStartPTS = maxStartPTS; + frag.endPTS = endPTS; + frag.startDTS = startDTS; + frag.endDTS = endDTS; + frag.duration = endPTS - startPTS; + var sn = frag.sn; // exit if sn out of range - var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + if (!details || sn < details.startSN || sn > details.endSN) { + return 0; + } - var _possibleConstructorReturn2 = __webpack_require__(1); + var fragIdx, fragments, i; + fragIdx = sn - details.startSN; + 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 - var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); + fragments[fragIdx] = frag; // adjust fragment PTS/duration from seqnum-1 to frag 0 - var _createClass2 = __webpack_require__(3); + for (i = fragIdx; i > 0; i--) { + updatePTS(fragments, i, i - 1); + } // adjust fragment PTS/duration from seqnum to last frag - var _createClass3 = _interopRequireDefault(_createClass2); - var _inherits2 = __webpack_require__(2); + for (i = fragIdx; i < fragments.length - 1; i++) { + updatePTS(fragments, i, i + 1); + } - var _inherits3 = _interopRequireDefault(_inherits2); + details.PTSKnown = true; + return drift; + } + function mergeDetails(oldDetails, newDetails) { + // potentially retrieve cached initsegment + if (newDetails.initSegment && oldDetails.initSegment) { + newDetails.initSegment = oldDetails.initSegment; + } // check if old/new playlists have fragments in common + // loop through overlapping SN and update startPTS , cc, and duration if any found - var _toConsumableArray2 = __webpack_require__(61); - var _toConsumableArray3 = _interopRequireDefault(_toConsumableArray2); + var ccOffset = 0; + var PTSFrag; + mapFragmentIntersection(oldDetails, newDetails, function (oldFrag, newFrag) { + ccOffset = oldFrag.cc - newFrag.cc; - var _keys = __webpack_require__(53); + if (Object(number_isFinite["isFiniteNumber"])(oldFrag.startPTS)) { + newFrag.start = newFrag.startPTS = oldFrag.startPTS; + newFrag.endPTS = oldFrag.endPTS; + newFrag.duration = oldFrag.duration; + newFrag.backtracked = oldFrag.backtracked; + newFrag.dropped = oldFrag.dropped; + PTSFrag = newFrag; + } // PTS is known when there are overlapping segments - var _keys2 = _interopRequireDefault(_keys); - var _utils = __webpack_require__(5); + newDetails.PTSKnown = true; + }); - var _playback = __webpack_require__(10); + if (!newDetails.PTSKnown) { + return; + } - var _playback2 = _interopRequireDefault(_playback); + if (ccOffset) { + logger["logger"].log('discontinuity sliding from playlist, take drift into account'); + var newFragments = newDetails.fragments; - var _browser = __webpack_require__(14); + for (var i = 0; i < newFragments.length; i++) { + newFragments[i].cc += ccOffset; + } + } // if at least one fragment contains PTS info, recompute PTS information for all fragments - var _browser2 = _interopRequireDefault(_browser); - var _error = __webpack_require__(24); + 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 we are here, it means we have fragments overlapping between + // old and new level. reliable PTS info is thus relying on old level - var _error2 = _interopRequireDefault(_error); - var _events = __webpack_require__(4); + newDetails.PTSKnown = oldDetails.PTSKnown; + } + function mergeSubtitlePlaylists(oldPlaylist, newPlaylist, referenceStart) { + if (referenceStart === void 0) { + referenceStart = 0; + } - var _events2 = _interopRequireDefault(_events); + var lastIndex = -1; + mapFragmentIntersection(oldPlaylist, newPlaylist, function (oldFrag, newFrag, index) { + newFrag.start = oldFrag.start; + lastIndex = index; + }); + var frags = newPlaylist.fragments; - var _log = __webpack_require__(29); + if (lastIndex < 0) { + frags.forEach(function (frag) { + frag.start += referenceStart; + }); + return; + } - var _log2 = _interopRequireDefault(_log); + for (var i = lastIndex + 1; i < frags.length; i++) { + frags[i].start = frags[i - 1].start + frags[i - 1].duration; + } + } + function mapFragmentIntersection(oldPlaylist, newPlaylist, intersectionFn) { + if (!oldPlaylist || !newPlaylist) { + return; + } - var _clapprZepto = __webpack_require__(6); + var start = Math.max(oldPlaylist.startSN, newPlaylist.startSN) - newPlaylist.startSN; + var end = Math.min(oldPlaylist.endSN, newPlaylist.endSN) - newPlaylist.startSN; + var delta = newPlaylist.startSN - oldPlaylist.startSN; - var _clapprZepto2 = _interopRequireDefault(_clapprZepto); + for (var i = start; i <= end; i++) { + var oldFrag = oldPlaylist.fragments[delta + i]; + var newFrag = newPlaylist.fragments[i]; - var _template = __webpack_require__(7); + if (!oldFrag || !newFrag) { + break; + } - var _template2 = _interopRequireDefault(_template); + intersectionFn(oldFrag, newFrag, i); + } + } + function adjustSliding(oldPlaylist, newPlaylist) { + var delta = newPlaylist.startSN - oldPlaylist.startSN; + var oldFragments = oldPlaylist.fragments; + var newFragments = newPlaylist.fragments; - var _tracks = __webpack_require__(173); + if (delta < 0 || delta > oldFragments.length) { + return; + } - var _tracks2 = _interopRequireDefault(_tracks); + for (var i = 0; i < newFragments.length; i++) { + newFragments[i].start += oldFragments[delta].start; + } + } + function computeReloadInterval(currentPlaylist, newPlaylist, lastRequestTime) { + var reloadInterval = 1000 * (newPlaylist.averagetargetduration ? newPlaylist.averagetargetduration : newPlaylist.targetduration); + var minReloadInterval = reloadInterval / 2; - __webpack_require__(174); + if (currentPlaylist && newPlaylist.endSN === currentPlaylist.endSN) { + // 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. + reloadInterval = minReloadInterval; + } - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + if (lastRequestTime) { + reloadInterval = Math.max(minReloadInterval, reloadInterval - (window.performance.now() - lastRequestTime)); + } // in any case, don't reload more than half of target duration -// Copyright 2014 Globo.com Player authors. All rights reserved. -// Use of this source code is governed by a BSD-style -// license that can be found in the LICENSE file. - var MIMETYPES = { - 'mp4': ['avc1.42E01E', 'avc1.58A01E', 'avc1.4D401E', 'avc1.64001E', 'mp4v.20.8', 'mp4v.20.240', 'mp4a.40.2'].map(function (codec) { - return 'video/mp4; codecs="' + codec + ', mp4a.40.2"'; - }), - 'ogg': ['video/ogg; codecs="theora, vorbis"', 'video/ogg; codecs="dirac"', 'video/ogg; codecs="theora, speex"'], - '3gpp': ['video/3gpp; codecs="mp4v.20.8, samr"'], - 'webm': ['video/webm; codecs="vp8, vorbis"'], - 'mkv': ['video/x-matroska; codecs="theora, vorbis"'], - 'm3u8': ['application/x-mpegurl'] - }; - MIMETYPES['ogv'] = MIMETYPES['ogg']; - MIMETYPES['3gp'] = MIMETYPES['3gpp']; - - var AUDIO_MIMETYPES = { - 'wav': ['audio/wav'], - 'mp3': ['audio/mp3', 'audio/mpeg;codecs="mp3"'], - 'aac': ['audio/mp4;codecs="mp4a.40.5"'], - 'oga': ['audio/ogg'] - }; + return Math.round(reloadInterval); + } +// CONCATENATED MODULE: ./src/utils/time-ranges.ts + /** + * TimeRanges to string helper + */ + var TimeRanges = { + toString: function toString(r) { + var log = ''; + var len = r.length; - var KNOWN_AUDIO_MIMETYPES = (0, _keys2.default)(AUDIO_MIMETYPES).reduce(function (acc, k) { - return [].concat((0, _toConsumableArray3.default)(acc), (0, _toConsumableArray3.default)(AUDIO_MIMETYPES[k])); - }, []); + for (var i = 0; i < len; i++) { + log += '[' + r.start(i).toFixed(3) + ',' + r.end(i).toFixed(3) + ']'; + } - var UNKNOWN_ERROR = { code: 'unknown', message: 'unknown' + return log; + } + }; + /* harmony default export */ var time_ranges = (TimeRanges); +// CONCATENATED MODULE: ./src/utils/discontinuities.js - // TODO: rename this Playback to HTML5Playback (breaking change, only after 0.3.0) - }; - var HTML5Video = function (_Playback) { - (0, _inherits3.default)(HTML5Video, _Playback); - (0, _createClass3.default)(HTML5Video, [{ - key: 'name', - get: function get() { - return 'html5_video'; - } - }, { - key: 'tagName', - get: function get() { - return this.isAudioOnly ? 'audio' : 'video'; - } - }, { - key: 'isAudioOnly', - get: function get() { - var resourceUrl = this.options.src; - var mimeTypes = HTML5Video._mimeTypesForUrl(resourceUrl, AUDIO_MIMETYPES, this.options.mimeType); - return this.options.playback && this.options.playback.audioOnly || this.options.audioOnly || KNOWN_AUDIO_MIMETYPES.indexOf(mimeTypes[0]) >= 0; - } - }, { - key: 'attributes', - get: function get() { - return { - 'data-html5-video': '' - }; - } - }, { - key: 'events', - get: function get() { - return { - 'canplay': '_onCanPlay', - 'canplaythrough': '_handleBufferingEvents', - 'durationchange': '_onDurationChange', - 'ended': '_onEnded', - 'error': '_onError', - 'loadeddata': '_onLoadedData', - 'loadedmetadata': '_onLoadedMetadata', - 'pause': '_onPause', - 'playing': '_onPlaying', - 'progress': '_onProgress', - 'seeking': '_onSeeking', - 'seeked': '_onSeeked', - 'stalled': '_handleBufferingEvents', - 'timeupdate': '_onTimeUpdate', - 'waiting': '_onWaiting' - }; - } - /** - * Determine if the playback has ended. - * @property ended - * @type Boolean - */ - }, { - key: 'ended', - get: function get() { - return this.el.ended; - } + function findFirstFragWithCC(fragments, cc) { + var firstFrag = null; - /** - * Determine if the playback is having to buffer in order for - * playback to be smooth. - * This is related to the PLAYBACK_BUFFERING and PLAYBACK_BUFFERFULL events - * @property buffering - * @type Boolean - */ + for (var i = 0; i < fragments.length; i += 1) { + var currentFrag = fragments[i]; - }, { - key: 'buffering', - get: function get() { - return this._isBuffering; - } - }]); + if (currentFrag && currentFrag.cc === cc) { + firstFrag = currentFrag; + break; + } + } - function HTML5Video() { - (0, _classCallCheck3.default)(this, HTML5Video); + return firstFrag; + } + function findFragWithCC(fragments, CC) { + return binary_search.search(fragments, function (candidate) { + if (candidate.cc < CC) { + return 1; + } else if (candidate.cc > CC) { + return -1; + } else { + return 0; + } + }); + } + function shouldAlignOnDiscontinuities(lastFrag, lastLevel, details) { + var shouldAlign = false; - for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) { - args[_key] = arguments[_key]; - } + if (lastLevel && lastLevel.details && details) { + if (details.endCC > details.startCC || lastFrag && lastFrag.cc < details.startCC) { + shouldAlign = true; + } + } - var _this = (0, _possibleConstructorReturn3.default)(this, _Playback.call.apply(_Playback, [this].concat(args))); + return shouldAlign; + } // Find the first frag in the previous level which matches the CC of the first frag of the new level - _this._destroyed = false; - _this._loadStarted = false; - _this._isBuffering = false; - _this._playheadMoving = false; - _this._playheadMovingTimer = null; - _this._stopped = false; - _this._ccTrackId = -1; - _this._setupSrc(_this.options.src); - // backwards compatibility (TODO: remove on 0.3.0) - _this.options.playback || (_this.options.playback = _this.options || {}); - _this.options.playback.disableContextMenu = _this.options.playback.disableContextMenu || _this.options.disableVideoTagContextMenu; - - var playbackConfig = _this.options.playback; - var preload = playbackConfig.preload || (_browser2.default.isSafari ? 'auto' : _this.options.preload); - - var posterUrl = void 0; // FIXME: poster plugin should always convert poster to object with expected properties ? - if (_this.options.poster) { - if (typeof _this.options.poster === 'string') posterUrl = _this.options.poster;else if (typeof _this.options.poster.url === 'string') posterUrl = _this.options.poster.url; - } - - _clapprZepto2.default.extend(_this.el, { - muted: _this.options.mute, - defaultMuted: _this.options.mute, - loop: _this.options.loop, - poster: posterUrl, - preload: preload || 'metadata', - controls: (playbackConfig.controls || _this.options.useVideoTagDefaultControls) && 'controls', - crossOrigin: playbackConfig.crossOrigin, - 'x-webkit-playsinline': playbackConfig.playInline - }); + function findDiscontinuousReferenceFrag(prevDetails, curDetails) { + var prevFrags = prevDetails.fragments; + var curFrags = curDetails.fragments; - playbackConfig.playInline && _this.$el.attr({ playsinline: 'playsinline' }); - playbackConfig.crossOrigin && _this.$el.attr({ crossorigin: playbackConfig.crossOrigin }); + if (!curFrags.length || !prevFrags.length) { + logger["logger"].log('No fragments to align'); + return; + } - // TODO should settings be private? - _this.settings = { default: ['seekbar'] }; - _this.settings.left = ['playpause', 'position', 'duration']; - _this.settings.right = ['fullscreen', 'volume', 'hd-indicator']; + var prevStartFrag = findFirstFragWithCC(prevFrags, curFrags[0].cc); - playbackConfig.externalTracks && _this._setupExternalTracks(playbackConfig.externalTracks); + if (!prevStartFrag || prevStartFrag && !prevStartFrag.startPTS) { + logger["logger"].log('No frag in previous level to align on'); + return; + } - _this.options.autoPlay && _this.attemptAutoPlay(); - return _this; - } + return prevStartFrag; + } + function adjustPts(sliding, details) { + details.fragments.forEach(function (frag) { + if (frag) { + var start = frag.start + sliding; + frag.start = frag.startPTS = start; + frag.endPTS = start + frag.duration; + } + }); + details.PTSKnown = 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 + */ - // See Playback.attemptAutoPlay() + function alignStream(lastFrag, lastLevel, details) { + alignDiscontinuities(lastFrag, details, lastLevel); + if (!details.PTSKnown && lastLevel) { + // 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); + } + } + /** + * 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 lastLevel - The details of the last loaded level + * @param details - The details of the new level + */ - HTML5Video.prototype.attemptAutoPlay = function attemptAutoPlay() { - var _this2 = this; + function alignDiscontinuities(lastFrag, details, lastLevel) { + if (shouldAlignOnDiscontinuities(lastFrag, lastLevel, details)) { + var referenceFrag = findDiscontinuousReferenceFrag(lastLevel.details, details); - this.canAutoPlay(function (result, error) { - error && _log2.default.warn(_this2.name, 'autoplay error.', { result: result, error: error }); + if (referenceFrag) { + logger["logger"].log('Adjusting PTS using last level due to CC increase within current level'); + adjustPts(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 + */ - // https://github.com/clappr/clappr/issues/1076 - result && process.nextTick(function () { - return !_this2._destroyed && _this2.play(); - }); - }); - }; + function alignPDT(details, lastDetails) { + if (lastDetails && lastDetails.fragments.length) { + if (!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 - // See Playback.canAutoPlay() + var lastPDT = lastDetails.fragments[0].programDateTime; + var newPDT = details.fragments[0].programDateTime; // date diff is in ms. frag.start is in seconds - HTML5Video.prototype.canAutoPlay = function canAutoPlay(cb) { - if (this.options.disableCanAutoPlay) cb(true, null); + var sliding = (newPDT - lastPDT) / 1000 + lastDetails.fragments[0].start; - var opts = { - timeout: this.options.autoPlayTimeout || 500, - inline: this.options.playback.playInline || false, - muted: this.options.mute || false // Known issue: mediacontrols may asynchronously mute video + if (Object(number_isFinite["isFiniteNumber"])(sliding)) { + logger["logger"].log("adjusting PTS using programDateTime delta, sliding:" + sliding.toFixed(3)); + adjustPts(sliding, details); + } + } + } +// CONCATENATED MODULE: ./src/controller/fragment-finders.ts - // Use current video element if recycling feature enabled with mobile devices - };if (_browser2.default.isMobile && _utils.DomRecycler.options.recycleVideo) opts.element = this.el; - // Desktop browser autoplay policy may require user action - // Mobile browser autoplay require user consent and video recycling feature enabled - // It may returns a false positive with source-less player consent - (0, _utils.canAutoPlayMedia)(cb, opts); - }; + /** + * 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(number_isFinite["isFiniteNumber"])(PDTValue)) { + return null; + } // if less than start - HTML5Video.prototype._setupExternalTracks = function _setupExternalTracks(tracks) { - this._externalTracks = tracks.map(function (track) { - return { - kind: track.kind || 'subtitles', // Default is 'subtitles' - label: track.label, - lang: track.lang, - src: track.src - }; - }); - }; - /** - * Sets the source url on the <video> element, and also the 'src' property. - * @method setupSrc - * @private - * @param {String} srcUrl The source URL. - */ + var startPDT = fragments[0].programDateTime; + if (PDTValue < (startPDT || 0)) { + return null; + } - HTML5Video.prototype._setupSrc = function _setupSrc(srcUrl) { - if (this.el.src === srcUrl) return; + var endPDT = fragments[fragments.length - 1].endProgramDateTime; - this._ccIsSetup = false; - this.el.src = srcUrl; - this._src = this.el.src; - }; + if (PDTValue >= (endPDT || 0)) { + return null; + } - HTML5Video.prototype._onLoadedMetadata = function _onLoadedMetadata(e) { - this._handleBufferingEvents(); - this.trigger(_events2.default.PLAYBACK_LOADEDMETADATA, { duration: e.target.duration, data: e }); - this._updateSettings(); - var autoSeekFromUrl = typeof this._options.autoSeekFromUrl === 'undefined' || this._options.autoSeekFromUrl; - if (this.getPlaybackType() !== _playback2.default.LIVE && autoSeekFromUrl) this._checkInitialSeek(); - }; + maxFragLookUpTolerance = maxFragLookUpTolerance || 0; - HTML5Video.prototype._onDurationChange = function _onDurationChange() { - this._updateSettings(); - this._onTimeUpdate(); - // onProgress uses the duration - this._onProgress(); - }; + for (var seg = 0; seg < fragments.length; ++seg) { + var frag = fragments[seg]; - HTML5Video.prototype._updateSettings = function _updateSettings() { - // we can't figure out if hls resource is VoD or not until it is being loaded or duration has changed. - // that's why we check it again and update media control accordingly. - if (this.getPlaybackType() === _playback2.default.VOD || this.getPlaybackType() === _playback2.default.AOD) this.settings.left = ['playpause', 'position', 'duration'];else this.settings.left = ['playstop']; + if (pdtWithinToleranceTest(PDTValue, maxFragLookUpTolerance, frag)) { + return frag; + } + } - this.settings.seekEnabled = this.isSeekEnabled(); - this.trigger(_events2.default.PLAYBACK_SETTINGSUPDATE); - }; + 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<Fragment>} 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 + */ - HTML5Video.prototype.isSeekEnabled = function isSeekEnabled() { - return isFinite(this.getDuration()); - }; + function findFragmentByPTS(fragPrevious, fragments, bufferEnd, maxFragLookUpTolerance) { + if (bufferEnd === void 0) { + bufferEnd = 0; + } - HTML5Video.prototype.getPlaybackType = function getPlaybackType() { - var onDemandType = this.tagName === 'audio' ? _playback2.default.AOD : _playback2.default.VOD; - return [0, undefined, Infinity].indexOf(this.el.duration) >= 0 ? _playback2.default.LIVE : onDemandType; - }; + if (maxFragLookUpTolerance === void 0) { + maxFragLookUpTolerance = 0; + } - HTML5Video.prototype.isHighDefinitionInUse = function isHighDefinitionInUse() { - return false; - }; + var fragNext = fragPrevious ? fragments[fragPrevious.sn - fragments[0].sn + 1] : null; // Prefer the next fragment if it's within tolerance - // On mobile device, HTML5 video element "retains" user action consent if - // load() method is called. See Player.consent(). + if (fragNext && !fragment_finders_fragmentWithinToleranceTest(bufferEnd, maxFragLookUpTolerance, fragNext)) { + return fragNext; + } + return binary_search.search(fragments, fragment_finders_fragmentWithinToleranceTest.bind(null, bufferEnd, maxFragLookUpTolerance)); + } + /** + * 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 + */ - HTML5Video.prototype.consent = function consent() { - if (!this.isPlaying()) { - _Playback.prototype.consent.call(this); - this.el.load(); - } - }; + function fragment_finders_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; + } - HTML5Video.prototype.play = function play() { - this.trigger(_events2.default.PLAYBACK_PLAY_INTENT); - this._stopped = false; - this._setupSrc(this._src); - this._handleBufferingEvents(); - var promise = this.el.play(); - // For more details, see https://developers.google.com/web/updates/2016/03/play-returns-promise - if (promise && promise.catch) promise.catch(function () {}); - }; + 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 + */ - HTML5Video.prototype.pause = function pause() { - this.el.pause(); - }; + 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 - HTML5Video.prototype.stop = function stop() { - this.pause(); - this._stopped = true; - // src will be added again in play() - this.el.removeAttribute('src'); - this._stopPlayheadMovingChecks(); - this._handleBufferingEvents(); - this.trigger(_events2.default.PLAYBACK_STOP); - }; + var endProgramDateTime = candidate.endProgramDateTime || 0; + return endProgramDateTime - candidateLookupTolerance > pdtBufferEnd; + } +// CONCATENATED MODULE: ./src/controller/gap-controller.js - HTML5Video.prototype.volume = function volume(value) { - if (value === 0) { - this.$el.attr({ muted: 'true' }); - this.el.muted = true; - } else { - this.$el.attr({ muted: null }); - this.el.muted = false; - this.el.volume = value / 100; - } - }; - /** - * @deprecated - * @private - */ - HTML5Video.prototype.mute = function mute() { - this.el.muted = true; - }; + 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; - /** - * @deprecated - * @private - */ + var gap_controller_GapController = + /*#__PURE__*/ + function () { + function GapController(config, media, fragmentTracker, hls) { + this.config = config; + this.media = media; + this.fragmentTracker = fragmentTracker; + this.hls = hls; + this.nudgeRetry = 0; + this.stallReported = false; + this.stalled = null; + this.moved = false; + this.seeking = false; + } + /** + * 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 + */ - HTML5Video.prototype.unmute = function unmute() { - this.el.muted = false; - }; + var _proto = GapController.prototype; - HTML5Video.prototype.isMuted = function isMuted() { - return !!this.el.volume; - }; + _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; + + logger["logger"].warn("playback not stuck anymore @" + currentTime + ", after " + Math.round(_stalledDuration) + "ms"); + this.stallReported = false; + } - HTML5Video.prototype.isPlaying = function isPlaying() { - return !this.el.paused && !this.el.ended; - }; + this.stalled = null; + this.nudgeRetry = 0; + } - HTML5Video.prototype._startPlayheadMovingChecks = function _startPlayheadMovingChecks() { - if (this._playheadMovingTimer !== null) return; + return; + } // Clear stalled state when beginning or finishing seeking so that we don't report stalls coming out of a seek - this._playheadMovingTimeOnCheck = null; - this._determineIfPlayheadMoving(); - this._playheadMovingTimer = setInterval(this._determineIfPlayheadMoving.bind(this), 500); - }; - HTML5Video.prototype._stopPlayheadMovingChecks = function _stopPlayheadMovingChecks() { - if (this._playheadMovingTimer === null) return; + if (beginSeek || seeked) { + this.stalled = null; + } // The playhead should not be moving - clearInterval(this._playheadMovingTimer); - this._playheadMovingTimer = null; - this._playheadMoving = false; - }; - HTML5Video.prototype._determineIfPlayheadMoving = function _determineIfPlayheadMoving() { - var before = this._playheadMovingTimeOnCheck; - var now = this.el.currentTime; - this._playheadMoving = before !== now; - this._playheadMovingTimeOnCheck = now; - this._handleBufferingEvents(); - }; + if (media.paused || media.ended || media.playbackRate === 0 || !media.buffered.length) { + return; + } - // this seems to happen when the user is having to wait - // for something to happen AFTER A USER INTERACTION - // e.g the player might be buffering, but when `play()` is called - // only at this point will this be called. - // Or the user may seek somewhere but the new area requires buffering, - // so it will fire then as well. - // On devices where playing is blocked until requested with a user action, - // buffering may start, but never finish until the user initiates a play, - // but this only happens when play is actually requested + var bufferInfo = BufferHelper.bufferInfo(media, currentTime, 0); + var isBuffered = bufferInfo.len > 0; + var nextStart = bufferInfo.nextStart || 0; // There is no playable buffer (waiting for buffer append) + if (!isBuffered && !nextStart) { + return; + } - HTML5Video.prototype._onWaiting = function _onWaiting() { - this._loadStarted = true; - this._handleBufferingEvents(); - }; + 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 - // called after the first frame has loaded - // note this doesn't fire on ios before the user has requested play - // ideally the "loadstart" event would be used instead, but this fires - // before a user has requested play on iOS, and also this is always fired - // even if the preload setting is "none". In both these cases this causes - // infinite buffering until the user does something which isn't great. + var noBufferGap = !nextStart || nextStart - currentTime > MAX_START_GAP_JUMP; + if (hasEnoughBuffer || noBufferGap) { + return; + } // Reset moved state when seeking to a point in or before a gap - HTML5Video.prototype._onLoadedData = function _onLoadedData() { - this._loadStarted = true; - this._handleBufferingEvents(); - }; - // note this doesn't fire on ios before user has requested play + 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 - HTML5Video.prototype._onCanPlay = function _onCanPlay() { - this._handleBufferingEvents(); - }; + if (!this.moved && this.stalled) { + // Jump start gaps within jump threshold + var startJump = Math.max(nextStart, bufferInfo.start || 0) - currentTime; - HTML5Video.prototype._onPlaying = function _onPlaying() { - this._checkForClosedCaptions(); - this._startPlayheadMovingChecks(); - this._handleBufferingEvents(); - this.trigger(_events2.default.PLAYBACK_PLAY); - }; + if (startJump > 0 && startJump <= MAX_START_GAP_JUMP) { + this._trySkipBufferHole(null); - HTML5Video.prototype._onPause = function _onPause() { - this._stopPlayheadMovingChecks(); - this._handleBufferingEvents(); - this.trigger(_events2.default.PLAYBACK_PAUSE); - }; + return; + } + } // Start tracking stall time - HTML5Video.prototype._onSeeking = function _onSeeking() { - this._handleBufferingEvents(); - this.trigger(_events2.default.PLAYBACK_SEEK); - }; - HTML5Video.prototype._onSeeked = function _onSeeked() { - this._handleBufferingEvents(); - this.trigger(_events2.default.PLAYBACK_SEEKED); - }; + var tnow = self.performance.now(); - HTML5Video.prototype._onEnded = function _onEnded() { - this._handleBufferingEvents(); - this.trigger(_events2.default.PLAYBACK_ENDED, this.name); - }; + if (stalled === null) { + this.stalled = tnow; + return; + } - // The playback should be classed as buffering if the following are true: - // - the ready state is less then HAVE_FUTURE_DATA or the playhead isn't moving and it should be - // - the media hasn't "ended", - // - the media hasn't been stopped - // - loading has started + var stalledDuration = tnow - stalled; + if (!seeking && stalledDuration >= STALL_MINIMUM_DURATION_MS) { + // Report stalling after trying to fix + this._reportStall(bufferInfo.len); + } - HTML5Video.prototype._handleBufferingEvents = function _handleBufferingEvents() { - var playheadShouldBeMoving = !this.el.ended && !this.el.paused; - var buffering = this._loadStarted && !this.el.ended && !this._stopped && (playheadShouldBeMoving && !this._playheadMoving || this.el.readyState < this.el.HAVE_FUTURE_DATA); - if (this._isBuffering !== buffering) { - this._isBuffering = buffering; - if (buffering) this.trigger(_events2.default.PLAYBACK_BUFFERING, this.name);else this.trigger(_events2.default.PLAYBACK_BUFFERFULL, this.name); - } - }; + var bufferedWithHoles = BufferHelper.bufferInfo(media, currentTime, config.maxBufferHole); - HTML5Video.prototype._onError = function _onError() { - var _ref = this.el.error || UNKNOWN_ERROR, - code = _ref.code, - message = _ref.message; + 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); - var isUnknownError = code === UNKNOWN_ERROR.code; + 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 - var formattedError = this.createError({ - code: code, - description: message, - raw: this.el.error, - level: isUnknownError ? _error2.default.Levels.WARN : _error2.default.Levels.FATAL - }); - if (isUnknownError) _log2.default.warn(this.name, 'HTML5 unknown error: ', formattedError);else this.trigger(_events2.default.PLAYBACK_ERROR, formattedError); - }; + 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. - HTML5Video.prototype.destroy = function destroy() { - this._destroyed = true; - this.handleTextTrackChange && this.el.textTracks.removeEventListener('change', this.handleTextTrackChange); - _Playback.prototype.destroy.call(this); - this.el.removeAttribute('src'); - this._src = null; - _utils.DomRecycler.garbage(this.$el); - }; - HTML5Video.prototype.seek = function seek(time) { - this.el.currentTime = time; - }; + if (bufferInfo.len > config.maxBufferHole && stalledDurationMs > config.highBufferWatchdogPeriod * 1000) { + logger["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 - HTML5Video.prototype.seekPercentage = function seekPercentage(percentage) { - var time = this.el.duration * (percentage / 100); - this.seek(time); - }; + this.stalled = null; - HTML5Video.prototype._checkInitialSeek = function _checkInitialSeek() { - var seekTime = (0, _utils.seekStringToSeconds)(); - if (seekTime !== 0) this.seek(seekTime); - }; + 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; + logger["logger"].warn("Playback stalling at @" + media.currentTime + " due to low buffer"); + hls.trigger(events["default"].ERROR, { + type: errors["ErrorTypes"].MEDIA_ERROR, + details: errors["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 + + for (var i = 0; i < media.buffered.length; i++) { + var startTime = media.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); + logger["logger"].warn("skipping hole, adjusting currentTime from " + currentTime + " to " + targetTime); + this.moved = true; + this.stalled = null; + media.currentTime = targetTime; + + if (partial) { + hls.trigger(events["default"].ERROR, { + type: errors["ErrorTypes"].MEDIA_ERROR, + details: errors["ErrorDetails"].BUFFER_SEEK_OVER_HOLE, + fatal: false, + reason: "fragment loaded with buffer holes, seeking from " + currentTime + " to " + targetTime, + frag: partial + }); + } - HTML5Video.prototype.getCurrentTime = function getCurrentTime() { - return this.el.currentTime; - }; + return targetTime; + } - HTML5Video.prototype.getDuration = function getDuration() { - return this.el.duration; - }; + lastEndTime = media.buffered.end(i); + } - HTML5Video.prototype._onTimeUpdate = function _onTimeUpdate() { - if (this.getPlaybackType() === _playback2.default.LIVE) this.trigger(_events2.default.PLAYBACK_TIMEUPDATE, { current: 1, total: 1 }, this.name);else this.trigger(_events2.default.PLAYBACK_TIMEUPDATE, { current: this.el.currentTime, total: this.el.duration }, this.name); - }; + return 0; + } + /** + * Attempts to fix buffer stalls by advancing the mediaElement's current time by a small amount. + * @private + */ + ; - HTML5Video.prototype._onProgress = function _onProgress() { - if (!this.el.buffered.length) return; + _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 + + logger["logger"].warn("Nudging 'currentTime' from " + currentTime + " to " + targetTime); + media.currentTime = targetTime; + hls.trigger(events["default"].ERROR, { + type: errors["ErrorTypes"].MEDIA_ERROR, + details: errors["ErrorDetails"].BUFFER_NUDGE_ON_STALL, + fatal: false + }); + } else { + logger["logger"].error("Playhead still not moving while enough data buffered @" + currentTime + " after " + config.nudgeMaxRetry + " nudges"); + hls.trigger(events["default"].ERROR, { + type: errors["ErrorTypes"].MEDIA_ERROR, + details: errors["ErrorDetails"].BUFFER_STALLED_ERROR, + fatal: true + }); + } + }; - var buffered = []; - var bufferedPos = 0; - for (var i = 0; i < this.el.buffered.length; i++) { - buffered = [].concat((0, _toConsumableArray3.default)(buffered), [{ start: this.el.buffered.start(i), end: this.el.buffered.end(i) }]); - if (this.el.currentTime >= buffered[i].start && this.el.currentTime <= buffered[i].end) bufferedPos = i; - } - var progress = { - start: buffered[bufferedPos].start, - current: buffered[bufferedPos].end, - total: this.el.duration - }; - this.trigger(_events2.default.PLAYBACK_PROGRESS, progress, buffered); - }; + return GapController; + }(); - HTML5Video.prototype._typeFor = function _typeFor(src) { - var mimeTypes = HTML5Video._mimeTypesForUrl(src, MIMETYPES, this.options.mimeType); - if (mimeTypes.length === 0) mimeTypes = HTML5Video._mimeTypesForUrl(src, AUDIO_MIMETYPES, this.options.mimeType); - var mimeType = mimeTypes[0] || ''; - return mimeType.split(';')[0]; - }; +// CONCATENATED MODULE: ./src/task-loop.ts + function _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return self; } - HTML5Video.prototype._ready = function _ready() { - if (this._isReadyState) return; + function task_loop_inheritsLoose(subClass, superClass) { subClass.prototype = Object.create(superClass.prototype); subClass.prototype.constructor = subClass; subClass.__proto__ = superClass; } - this._isReadyState = true; - this.trigger(_events2.default.PLAYBACK_READY, this.name); - }; - HTML5Video.prototype._checkForClosedCaptions = function _checkForClosedCaptions() { - // Check if CC available only if current playback is HTML5Video - if (this.isHTML5Video && !this._ccIsSetup) { - if (this.hasClosedCaptionsTracks) { - this.trigger(_events2.default.PLAYBACK_SUBTITLE_AVAILABLE); - var trackId = this.closedCaptionsTrackId; - this.closedCaptionsTrackId = trackId; - this.handleTextTrackChange = this._handleTextTrackChange.bind(this); - this.el.textTracks.addEventListener('change', this.handleTextTrackChange); - } - this._ccIsSetup = true; - } - }; - HTML5Video.prototype._handleTextTrackChange = function _handleTextTrackChange() { - var tracks = this.closedCaptionsTracks; - var track = tracks.find(function (track) { - return track.track.mode === 'showing'; - }) || { id: -1 }; + /** + * 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 (_EventHandler) { + task_loop_inheritsLoose(TaskLoop, _EventHandler); - if (this._ccTrackId !== track.id) { - this._ccTrackId = track.id; - this.trigger(_events2.default.PLAYBACK_SUBTITLE_CHANGED, { - id: track.id - }); - } - }; + function TaskLoop(hls) { + var _this; - HTML5Video.prototype.render = function render() { - if (this.options.playback.disableContextMenu) { - this.$el.on('contextmenu', function () { - return false; - }); - } + for (var _len = arguments.length, events = new Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) { + events[_key - 1] = arguments[_key]; + } - if (this._externalTracks && this._externalTracks.length > 0) { - this.$el.html(this.template({ - tracks: this._externalTracks - })); - } + _this = _EventHandler.call.apply(_EventHandler, [this, hls].concat(events)) || this; + _this._boundTick = void 0; + _this._tickTimer = null; + _this._tickInterval = null; + _this._tickCallCount = 0; + _this._boundTick = _this.tick.bind(_assertThisInitialized(_this)); + return _this; + } + /** + * @override + */ - this._ready(); - return this; - }; - (0, _createClass3.default)(HTML5Video, [{ - key: 'isReady', - get: function get() { - return this._isReadyState; - } - }, { - key: 'isHTML5Video', - get: function get() { - return this.name === HTML5Video.prototype.name; - } - }, { - key: 'closedCaptionsTracks', - get: function get() { - var id = 0; - var trackId = function trackId() { - return id++; - }; - var textTracks = this.el.textTracks ? (0, _from2.default)(this.el.textTracks) : []; + var _proto = TaskLoop.prototype; - return textTracks.filter(function (track) { - return track.kind === 'subtitles' || track.kind === 'captions'; - }).map(function (track) { - return { id: trackId(), name: track.label, track: track }; - }); - } - }, { - key: 'closedCaptionsTrackId', - get: function get() { - return this._ccTrackId; - }, - set: function set(trackId) { - if (!(0, _utils.isNumber)(trackId)) return; + _proto.onHandlerDestroying = function onHandlerDestroying() { + // clear all timers before unregistering from event bus + this.clearNextTick(); + this.clearInterval(); + } + /** + * @returns {boolean} + */ + ; - var tracks = this.closedCaptionsTracks; - var showingTrack = void 0; + _proto.hasInterval = function hasInterval() { + return !!this._tickInterval; + } + /** + * @returns {boolean} + */ + ; - // Note: -1 is for hide all tracks - if (trackId !== -1) { - showingTrack = tracks.find(function (track) { - return track.id === trackId; - }); - if (!showingTrack) return; // Track id not found + _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; + } - if (showingTrack.track.mode === 'showing') return; // Track already showing - } + 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; + } - // Since it is possible to display multiple tracks, - // ensure that all tracks are hidden. - tracks.filter(function (track) { - return track.track.mode !== 'hidden'; - }).forEach(function (track) { - return track.track.mode = 'hidden'; - }); + 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; + } - showingTrack && (showingTrack.track.mode = 'showing'); + 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._ccTrackId = trackId; - this.trigger(_events2.default.PLAYBACK_SUBTITLE_CHANGED, { - id: trackId - }); - } - }, { - key: 'template', - get: function get() { - return (0, _template2.default)(_tracks2.default); - } - }]); - return HTML5Video; - }(_playback2.default); + this._tickCallCount = 0; + } + } + /** + * For subclass to implement task logic + * @abstract + */ + ; - exports.default = HTML5Video; + _proto.doTick = function doTick() {}; + return TaskLoop; + }(event_handler); - HTML5Video._mimeTypesForUrl = function (resourceUrl, mimeTypesByExtension, mimeType) { - var extension = (resourceUrl.split('?')[0].match(/.*\.(.*)$/) || [])[1]; - var mimeTypes = mimeType || extension && mimeTypesByExtension[extension.toLowerCase()] || []; - return mimeTypes.constructor === Array ? mimeTypes : [mimeTypes]; - }; - HTML5Video._canPlay = function (type, mimeTypesByExtension, resourceUrl, mimeType) { - var mimeTypes = HTML5Video._mimeTypesForUrl(resourceUrl, mimeTypesByExtension, mimeType); - var media = document.createElement(type); - return !!mimeTypes.filter(function (mediaType) { - return !!media.canPlayType(mediaType).replace(/no/, ''); - })[0]; - }; +// CONCATENATED MODULE: ./src/controller/base-stream-controller.js - HTML5Video.canPlay = function (resourceUrl, mimeType) { - return HTML5Video._canPlay('audio', AUDIO_MIMETYPES, resourceUrl, mimeType) || HTML5Video._canPlay('video', MIMETYPES, resourceUrl, mimeType); - }; - module.exports = exports['default']; - /* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(62))) - /***/ }), - /* 173 */ - /***/ (function(module, exports) { + function base_stream_controller_inheritsLoose(subClass, superClass) { subClass.prototype = Object.create(superClass.prototype); subClass.prototype.constructor = subClass; subClass.__proto__ = superClass; } - module.exports = "<% for (var i = 0; i < tracks.length; i++) { %>\n <track data-html5-video-track=\"<%= i %>\" kind=\"<%= tracks[i].kind %>\" label=\"<%= tracks[i].label %>\" srclang=\"<%= tracks[i].lang %>\" src=\"<%= tracks[i].src %>\" />\n<% }; %>\n"; - /***/ }), - /* 174 */ - /***/ (function(module, exports, __webpack_require__) { - var content = __webpack_require__(175); - if(typeof content === 'string') content = [[module.i, content, '']]; + var State = { + STOPPED: 'STOPPED', + STARTING: 'STARTING', + IDLE: 'IDLE', + PAUSED: 'PAUSED', + KEY_LOADING: 'KEY_LOADING', + FRAG_LOADING: 'FRAG_LOADING', + FRAG_LOADING_WAITING_RETRY: 'FRAG_LOADING_WAITING_RETRY', + WAITING_TRACK: 'WAITING_TRACK', + PARSING: 'PARSING', + PARSED: 'PARSED', + BUFFER_FLUSHING: 'BUFFER_FLUSHING', + ENDED: 'ENDED', + ERROR: 'ERROR', + WAITING_INIT_PTS: 'WAITING_INIT_PTS', + WAITING_LEVEL: 'WAITING_LEVEL' + }; - var transform; - var insertInto; + var base_stream_controller_BaseStreamController = + /*#__PURE__*/ + function (_TaskLoop) { + base_stream_controller_inheritsLoose(BaseStreamController, _TaskLoop); + function BaseStreamController() { + return _TaskLoop.apply(this, arguments) || this; + } + var _proto = BaseStreamController.prototype; - var options = {"singleton":true,"hmr":true} + _proto.doTick = function doTick() {}; - options.transform = transform - options.insertInto = undefined; + _proto.startLoad = function startLoad() {}; - var update = __webpack_require__(9)(content, options); + _proto.stopLoad = function stopLoad() { + var frag = this.fragCurrent; - if(content.locals) module.exports = content.locals; + if (frag) { + if (frag.loader) { + frag.loader.abort(); + } - if(false) { - module.hot.accept("!!../../../../node_modules/css-loader/index.js!../../../../node_modules/postcss-loader/lib/index.js!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/bruno.torres/workspace/clappr/clappr/src/base/scss!./style.scss", function() { - var newContent = require("!!../../../../node_modules/css-loader/index.js!../../../../node_modules/postcss-loader/lib/index.js!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/bruno.torres/workspace/clappr/clappr/src/base/scss!./style.scss"); + this.fragmentTracker.removeFragment(frag); + } - if(typeof newContent === 'string') newContent = [[module.id, newContent, '']]; + if (this.demuxer) { + this.demuxer.destroy(); + this.demuxer = null; + } - var locals = (function(a, b) { - var key, idx = 0; + this.fragCurrent = null; + this.fragPrevious = null; + this.clearInterval(); + this.clearNextTick(); + this.state = State.STOPPED; + }; - for(key in a) { - if(!b || a[key] !== b[key]) return false; - idx++; - } + _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 + // dont switch to ENDED if we need to backtrack last fragment - for(key in b) idx--; + if (!levelDetails.live && fragCurrent && !fragCurrent.backtracked && fragCurrent.sn === levelDetails.endSN && !bufferInfo.nextStart) { + var fragState = fragmentTracker.getState(fragCurrent); + return fragState === FragmentState.PARTIAL || fragState === FragmentState.OK; + } - return idx === 0; - }(content.locals, newContent.locals)); + return false; + }; - if(!locals) throw new Error('Aborting CSS HMR due to changed css-modules locals.'); + _proto.onMediaSeeking = function onMediaSeeking() { + var config = this.config, + media = this.media, + mediaBuffer = this.mediaBuffer, + state = this.state; + var currentTime = media ? media.currentTime : null; + var bufferInfo = BufferHelper.bufferInfo(mediaBuffer || media, currentTime, this.config.maxBufferHole); + + if (Object(number_isFinite["isFiniteNumber"])(currentTime)) { + logger["logger"].log("media seeking to " + currentTime.toFixed(3)); + } - update(newContent); - }); + if (state === State.FRAG_LOADING) { + var fragCurrent = this.fragCurrent; // check if we are seeking to a unbuffered area AND if frag loading is in progress - module.hot.dispose(function() { update(); }); - } + if (bufferInfo.len === 0 && fragCurrent) { + var tolerance = config.maxFragLookUpTolerance; + var fragStartOffset = fragCurrent.start - tolerance; + var fragEndOffset = fragCurrent.start + fragCurrent.duration + tolerance; // check if we seek position will be out of currently loaded frag range : if out cancel frag load, if in, don't do anything - /***/ }), - /* 175 */ - /***/ (function(module, exports, __webpack_require__) { + if (currentTime < fragStartOffset || currentTime > fragEndOffset) { + if (fragCurrent.loader) { + logger["logger"].log('seeking outside of buffer while fragment load in progress, cancel fragment load'); + fragCurrent.loader.abort(); + } - exports = module.exports = __webpack_require__(8)(false); -// imports + this.fragCurrent = null; + this.fragPrevious = null; // switch to IDLE state to load new fragment + this.state = State.IDLE; + } else { + logger["logger"].log('seeking outside of buffer but within currently loaded fragment range'); + } + } + } else if (state === State.ENDED) { + // if seeking to unbuffered area, clean up fragPrevious + if (bufferInfo.len === 0) { + this.fragPrevious = null; + this.fragCurrent = null; + } // switch to IDLE state to check for potential new fragment -// module - exports.push([module.i, "[data-html5-video] {\n position: absolute;\n height: 100%;\n width: 100%;\n display: block; }\n", ""]); -// exports + this.state = State.IDLE; + } + if (media) { + this.lastCurrentTime = currentTime; + } // in case seeking occurs although no media buffered, adjust startPosition and nextLoadPosition to seek target - /***/ }), - /* 176 */ - /***/ (function(module, exports, __webpack_require__) { - "use strict"; + if (!this.loadedmetadata) { + this.nextLoadPosition = this.startPosition = currentTime; + } // tick to speed up processing - Object.defineProperty(exports, "__esModule", { - value: true - }); + this.tick(); + }; - var _classCallCheck2 = __webpack_require__(0); + _proto.onMediaEnded = function onMediaEnded() { + // reset startPosition and lastCurrentTime to restart playback @ stream beginning + this.startPosition = this.lastCurrentTime = 0; + }; - var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + _proto.onHandlerDestroying = function onHandlerDestroying() { + this.stopLoad(); - var _possibleConstructorReturn2 = __webpack_require__(1); + _TaskLoop.prototype.onHandlerDestroying.call(this); + }; - var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); + _proto.onHandlerDestroyed = function onHandlerDestroyed() { + this.state = State.STOPPED; + this.fragmentTracker = null; + }; - var _createClass2 = __webpack_require__(3); + _proto.computeLivePosition = function computeLivePosition(sliding, levelDetails) { + var targetLatency = this.config.liveSyncDuration !== undefined ? this.config.liveSyncDuration : this.config.liveSyncDurationCount * levelDetails.targetduration; + return sliding + Math.max(0, levelDetails.totalduration - targetLatency); + }; - var _createClass3 = _interopRequireDefault(_createClass2); + return BaseStreamController; + }(TaskLoop); - var _inherits2 = __webpack_require__(2); - var _inherits3 = _interopRequireDefault(_inherits2); +// CONCATENATED MODULE: ./src/controller/stream-controller.js - var _utils = __webpack_require__(5); - var _base_flash_playback = __webpack_require__(63); - var _base_flash_playback2 = _interopRequireDefault(_base_flash_playback); - var _browser = __webpack_require__(14); - var _browser2 = _interopRequireDefault(_browser); - var _mediator = __webpack_require__(31); + function stream_controller_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); } } - var _mediator2 = _interopRequireDefault(_mediator); + function stream_controller_createClass(Constructor, protoProps, staticProps) { if (protoProps) stream_controller_defineProperties(Constructor.prototype, protoProps); if (staticProps) stream_controller_defineProperties(Constructor, staticProps); return Constructor; } - var _template = __webpack_require__(7); + function stream_controller_inheritsLoose(subClass, superClass) { subClass.prototype = Object.create(superClass.prototype); subClass.prototype.constructor = subClass; subClass.__proto__ = superClass; } - var _template2 = _interopRequireDefault(_template); + /* + * Stream Controller +*/ - var _clapprZepto = __webpack_require__(6); - var _clapprZepto2 = _interopRequireDefault(_clapprZepto); - var _events = __webpack_require__(4); - var _events2 = _interopRequireDefault(_events); - var _playback = __webpack_require__(10); - var _playback2 = _interopRequireDefault(_playback); - var _Player = __webpack_require__(181); - var _Player2 = _interopRequireDefault(_Player); - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - var MAX_ATTEMPTS = 60; // Copyright 2014 Globo.com Player authors. All rights reserved. -// Use of this source code is governed by a BSD-style -// license that can be found in the LICENSE file. - var Flash = function (_BaseFlashPlayback) { - (0, _inherits3.default)(Flash, _BaseFlashPlayback); - (0, _createClass3.default)(Flash, [{ - key: 'name', - get: function get() { - return 'flash'; - } - }, { - key: 'swfPath', - get: function get() { - return (0, _template2.default)(_Player2.default)({ baseUrl: this._baseUrl }); - } - /** - * Determine if the playback has ended. - * @property ended - * @type Boolean - */ - }, { - key: 'ended', - get: function get() { - return this._currentState === 'ENDED'; - } - /** - * Determine if the playback is buffering. - * This is related to the PLAYBACK_BUFFERING and PLAYBACK_BUFFERFULL events - * @property buffering - * @type Boolean - */ - }, { - key: 'buffering', - get: function get() { - return !!this._bufferingState && this._currentState !== 'ENDED'; - } - }]); + var TICK_INTERVAL = 100; // how often to tick in ms - function Flash() { - (0, _classCallCheck3.default)(this, Flash); + var stream_controller_StreamController = + /*#__PURE__*/ + function (_BaseStreamController) { + stream_controller_inheritsLoose(StreamController, _BaseStreamController); - for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) { - args[_key] = arguments[_key]; - } + function StreamController(hls, fragmentTracker) { + var _this; - var _this = (0, _possibleConstructorReturn3.default)(this, _BaseFlashPlayback.call.apply(_BaseFlashPlayback, [this].concat(args))); - - _this._src = _this.options.src; - _this._baseUrl = _this.options.baseUrl; - _this._autoPlay = _this.options.autoPlay; - _this.settings = { default: ['seekbar'] }; - _this.settings.left = ['playpause', 'position', 'duration']; - _this.settings.right = ['fullscreen', 'volume']; - _this.settings.seekEnabled = true; - _this._isReadyState = false; - _this._addListeners(); - return _this; - } + _this = _BaseStreamController.call(this, hls, events["default"].MEDIA_ATTACHED, events["default"].MEDIA_DETACHING, events["default"].MANIFEST_LOADING, events["default"].MANIFEST_PARSED, events["default"].LEVEL_LOADED, events["default"].KEY_LOADED, events["default"].FRAG_LOADED, events["default"].FRAG_LOAD_EMERGENCY_ABORTED, events["default"].FRAG_PARSING_INIT_SEGMENT, events["default"].FRAG_PARSING_DATA, events["default"].FRAG_PARSED, events["default"].ERROR, events["default"].AUDIO_TRACK_SWITCHING, events["default"].AUDIO_TRACK_SWITCHED, events["default"].BUFFER_CREATED, events["default"].BUFFER_APPENDED, events["default"].BUFFER_FLUSHED) || this; + _this.fragmentTracker = fragmentTracker; + _this.config = hls.config; + _this.audioCodecSwap = false; + _this._state = State.STOPPED; + _this.stallReported = false; + _this.gapController = null; + _this.altAudio = false; + return _this; + } - Flash.prototype._bootstrap = function _bootstrap() { - var _this2 = this; + var _proto = StreamController.prototype; - if (this.el.playerPlay) { - this.el.width = '100%'; - this.el.height = '100%'; - if (this._currentState === 'PLAYING') { - this._firstPlay(); - } else { - this._currentState = 'IDLE'; - this._autoPlay && this.play(); - } - (0, _clapprZepto2.default)('<div style="position: absolute; top: 0; left: 0; width: 100%; height: 100%" />').insertAfter(this.$el); - if (this.getDuration() > 0) this._metadataLoaded();else _mediator2.default.once(this.uniqueId + ':timeupdate', this._metadataLoaded, this); - } else { - this._attempts = this._attempts || 0; - if (++this._attempts <= MAX_ATTEMPTS) setTimeout(function () { - return _this2._bootstrap(); - }, 50);else this.trigger(_events2.default.PLAYBACK_ERROR, { message: 'Max number of attempts reached' }, this.name); - } - }; + _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; - Flash.prototype._metadataLoaded = function _metadataLoaded() { - this._isReadyState = true; - this.trigger(_events2.default.PLAYBACK_READY, this.name); - this.trigger(_events2.default.PLAYBACK_SETTINGSUPDATE, this.name); - }; + if (!this.startFragRequested) { + // determine load level + var startLevel = hls.startLevel; - Flash.prototype.getPlaybackType = function getPlaybackType() { - return _playback2.default.VOD; - }; + if (startLevel === -1) { + // -1 : guess start Level by doing a bitrate test by loading first fragment of lowest quality level + startLevel = 0; + this.bitrateTest = true; + } // 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 - Flash.prototype.isHighDefinitionInUse = function isHighDefinitionInUse() { - return false; - }; - Flash.prototype._updateTime = function _updateTime() { - this.trigger(_events2.default.PLAYBACK_TIMEUPDATE, { current: this.el.getPosition(), total: this.el.getDuration() }, this.name); - }; + this.level = hls.nextLoadLevel = startLevel; + this.loadedmetadata = false; + } // if startPosition undefined but lastCurrentTime set, set startPosition to last currentTime - Flash.prototype._addListeners = function _addListeners() { - _mediator2.default.on(this.uniqueId + ':progress', this._progress, this); - _mediator2.default.on(this.uniqueId + ':timeupdate', this._updateTime, this); - _mediator2.default.on(this.uniqueId + ':statechanged', this._checkState, this); - _mediator2.default.on(this.uniqueId + ':flashready', this._bootstrap, this); - }; - Flash.prototype.stopListening = function stopListening() { - _BaseFlashPlayback.prototype.stopListening.call(this); - _mediator2.default.off(this.uniqueId + ':progress'); - _mediator2.default.off(this.uniqueId + ':timeupdate'); - _mediator2.default.off(this.uniqueId + ':statechanged'); - _mediator2.default.off(this.uniqueId + ':flashready'); - }; + if (lastCurrentTime > 0 && startPosition === -1) { + logger["logger"].log("override startPosition with lastCurrentTime @" + lastCurrentTime.toFixed(3)); + startPosition = lastCurrentTime; + } - Flash.prototype._checkState = function _checkState() { - if (this._isIdle || this._currentState === 'PAUSED') { - return; - } else if (this._currentState !== 'PLAYING_BUFFERING' && this.el.getState() === 'PLAYING_BUFFERING') { - this._bufferingState = true; - this.trigger(_events2.default.PLAYBACK_BUFFERING, this.name); - this._currentState = 'PLAYING_BUFFERING'; - } else if (this.el.getState() === 'PLAYING') { - this._bufferingState = false; - this.trigger(_events2.default.PLAYBACK_BUFFERFULL, this.name); - this._currentState = 'PLAYING'; - } else if (this.el.getState() === 'IDLE') { - this._currentState = 'IDLE'; - } else if (this.el.getState() === 'ENDED') { - this.trigger(_events2.default.PLAYBACK_ENDED, this.name); - this.trigger(_events2.default.PLAYBACK_TIMEUPDATE, { current: 0, total: this.el.getDuration() }, this.name); - this._currentState = 'ENDED'; - this._isIdle = true; - } - }; + this.state = State.IDLE; + this.nextLoadPosition = this.startPosition = this.lastCurrentTime = startPosition; + this.tick(); + } else { + this.forceStartLoad = true; + this.state = State.STOPPED; + } + }; - Flash.prototype._progress = function _progress() { - if (this._currentState !== 'IDLE' && this._currentState !== 'ENDED') { - this.trigger(_events2.default.PLAYBACK_PROGRESS, { - start: 0, - current: this.el.getBytesLoaded(), - total: this.el.getBytesTotal() - }); - } - }; + _proto.stopLoad = function stopLoad() { + this.forceStartLoad = false; - Flash.prototype._firstPlay = function _firstPlay() { - var _this3 = this; + _BaseStreamController.prototype.stopLoad.call(this); + }; - if (this.el.playerPlay) { - this._isIdle = false; - this.el.playerPlay(this._src); - this.listenToOnce(this, _events2.default.PLAYBACK_BUFFERFULL, function () { - return _this3._checkInitialSeek(); - }); - this._currentState = 'PLAYING'; - } else { - this.listenToOnce(this, _events2.default.PLAYBACK_READY, this._firstPlay); - } - }; + _proto.doTick = function doTick() { + switch (this.state) { + case State.BUFFER_FLUSHING: + // in buffer flushing state, reset fragLoadError counter + this.fragLoadError = 0; + break; - Flash.prototype._checkInitialSeek = function _checkInitialSeek() { - var seekTime = (0, _utils.seekStringToSeconds)(window.location.href); - if (seekTime !== 0) this.seekSeconds(seekTime); - }; + case State.IDLE: + this._doTickIdle(); - Flash.prototype.play = function play() { - this.trigger(_events2.default.PLAYBACK_PLAY_INTENT); - if (this._currentState === 'PAUSED' || this._currentState === 'PLAYING_BUFFERING') { - this._currentState = 'PLAYING'; - this.el.playerResume(); - this.trigger(_events2.default.PLAYBACK_PLAY, this.name); - } else if (this._currentState !== 'PLAYING') { - this._firstPlay(); - this.trigger(_events2.default.PLAYBACK_PLAY, this.name); - } - }; + break; - Flash.prototype.volume = function volume(value) { - var _this4 = this; + case State.WAITING_LEVEL: + var level = this.levels[this.level]; // check if playlist is already loaded - if (this.isReady) this.el.playerVolume(value);else this.listenToOnce(this, _events2.default.PLAYBACK_BUFFERFULL, function () { - return _this4.volume(value); - }); - }; + if (level && level.details) { + this.state = State.IDLE; + } - Flash.prototype.pause = function pause() { - this._currentState = 'PAUSED'; - this.el.playerPause(); - this.trigger(_events2.default.PLAYBACK_PAUSE, this.name); - }; + break; - Flash.prototype.stop = function stop() { - this.el.playerStop(); - this.trigger(_events2.default.PLAYBACK_STOP); - this.trigger(_events2.default.PLAYBACK_TIMEUPDATE, { current: 0, total: 0 }, this.name); - }; + case State.FRAG_LOADING_WAITING_RETRY: + var now = window.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 - Flash.prototype.isPlaying = function isPlaying() { - return !!(this.isReady && this._currentState.indexOf('PLAYING') > -1); - }; + if (!retryDate || now >= retryDate || this.media && this.media.seeking) { + logger["logger"].log('mediaController: retryDate reached, switch back to IDLE state'); + this.state = State.IDLE; + } - Flash.prototype.getDuration = function getDuration() { - return this.el.getDuration(); - }; + break; - Flash.prototype.seekPercentage = function seekPercentage(percentage) { - var _this5 = this; + case State.ERROR: + case State.STOPPED: + case State.FRAG_LOADING: + case State.PARSING: + case State.PARSED: + case State.ENDED: + break; - if (this.el.getDuration() > 0) { - var seekSeconds = this.el.getDuration() * (percentage / 100); - this.seek(seekSeconds); - } else { - this.listenToOnce(this, _events2.default.PLAYBACK_BUFFERFULL, function () { - return _this5.seekPercentage(percentage); - }); - } - }; + default: + break; + } // check buffer - Flash.prototype.seek = function seek(time) { - var _this6 = this; - if (this.isReady && this.el.playerSeek) { - this.el.playerSeek(time); - this.trigger(_events2.default.PLAYBACK_TIMEUPDATE, { current: time, total: this.el.getDuration() }, this.name); - if (this._currentState === 'PAUSED') this.el.playerPause(); - } else { - this.listenToOnce(this, _events2.default.PLAYBACK_BUFFERFULL, function () { - return _this6.seek(time); - }); - } - }; + this._checkBuffer(); // check/update current fragment - Flash.prototype.destroy = function destroy() { - clearInterval(this.bootstrapId); - _BaseFlashPlayback.prototype.stopListening.call(this); - this.$el.remove(); - }; - (0, _createClass3.default)(Flash, [{ - key: 'isReady', - get: function get() { - return this._isReadyState; - } - }]); - return Flash; - }(_base_flash_playback2.default); + this._checkFragmentChanged(); + } // Ironically the "idle" state is the on we do the most logic in it seems .... + // NOTE: Maybe we could rather schedule a check for buffer length after half of the currently + // played segment, or on pause/play/seek instead of naively checking every 100ms? + ; - exports.default = Flash; + _proto._doTickIdle = function _doTickIdle() { + var hls = this.hls, + config = hls.config, + media = this.media; // if start level not parsed yet OR + // if video not attached AND start fragment already requested OR start frag prefetch disable + // exit loop, as we either need more info (level not parsed) or we need media to be attached to load new fragment + if (this.levelLastLoaded === undefined || !media && (this.startFragRequested || !config.startFragPrefetch)) { + return; + } // if we have not yet loaded any fragment, start loading from start position - Flash.canPlay = function (resource) { - if (!_browser2.default.hasFlash || !resource || resource.constructor !== String) { - return false; - } else { - var resourceParts = resource.split('?')[0].match(/.*\.(.*)$/) || []; - return resourceParts.length > 1 && !_browser2.default.isMobile && resourceParts[1].toLowerCase().match(/^(mp4|mov|f4v|3gpp|3gp)$/); - } - }; - module.exports = exports['default']; - /***/ }), - /* 177 */ - /***/ (function(module, exports, __webpack_require__) { + var pos; - "use strict"; + if (this.loadedmetadata) { + pos = media.currentTime; + } else { + pos = this.nextLoadPosition; + } // determine next load level - Object.defineProperty(exports, "__esModule", { - value: true - }); + var level = hls.nextLoadLevel, + levelInfo = this.levels[level]; - var _classCallCheck2 = __webpack_require__(0); + if (!levelInfo) { + return; + } - var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + var levelBitrate = levelInfo.bitrate, + maxBufLen; // compute max Buffer Length that we could get from this load level, based on level bitrate. - var _createClass2 = __webpack_require__(3); + if (levelBitrate) { + maxBufLen = Math.max(8 * config.maxBufferSize / levelBitrate, config.maxBufferLength); + } else { + maxBufLen = config.maxBufferLength; + } - var _createClass3 = _interopRequireDefault(_createClass2); + 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 _possibleConstructorReturn2 = __webpack_require__(1); + var bufferInfo = BufferHelper.bufferInfo(this.mediaBuffer ? this.mediaBuffer : media, pos, config.maxBufferHole), + bufferLen = bufferInfo.len; // Stay idle if we are still with buffer margins - var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); + if (bufferLen >= maxBufLen) { + return; + } // if buffer length is less than maxBufLen try to load a new fragment ... - var _inherits2 = __webpack_require__(2); - var _inherits3 = _interopRequireDefault(_inherits2); + logger["logger"].trace("buffer length of " + bufferLen.toFixed(3) + " is below max of " + maxBufLen.toFixed(3) + ". checking for more payload ..."); // set next load level : this will trigger a playlist load if needed - var _playback = __webpack_require__(10); + 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) - var _playback2 = _interopRequireDefault(_playback); + if (!levelDetails || levelDetails.live && this.levelLastLoaded !== level) { + this.state = State.WAITING_LEVEL; + return; + } - var _template = __webpack_require__(7); + if (this._streamEnded(bufferInfo, levelDetails)) { + var data = {}; - var _template2 = _interopRequireDefault(_template); + if (this.altAudio) { + data.type = 'video'; + } - var _browser = __webpack_require__(14); + this.hls.trigger(events["default"].BUFFER_EOS, data); + this.state = State.ENDED; + return; + } // if we have the levelDetails for the selected variant, lets continue enrichen our stream (load keys/fragments or trigger EOS, etc..) - var _browser2 = _interopRequireDefault(_browser); - var _flash = __webpack_require__(178); + this._fetchPayloadOrEos(pos, bufferInfo, levelDetails); + }; - var _flash2 = _interopRequireDefault(_flash); + _proto._fetchPayloadOrEos = function _fetchPayloadOrEos(pos, bufferInfo, levelDetails) { + var fragPrevious = this.fragPrevious, + level = this.level, + fragments = levelDetails.fragments, + fragLen = fragments.length; // empty playlist - __webpack_require__(179); + if (fragLen === 0) { + return; + } // find fragment index, contiguous with end of buffer position - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - var IE_CLASSID = 'clsid:d27cdb6e-ae6d-11cf-96b8-444553540000'; // Copyright 2015 Globo.com Player authors. All rights reserved. -// Use of this source code is governed by a BSD-style -// license that can be found in the LICENSE file. + var start = fragments[0].start, + end = fragments[fragLen - 1].start + fragments[fragLen - 1].duration, + bufferEnd = bufferInfo.end, + frag; - var BaseFlashPlayback = function (_Playback) { - (0, _inherits3.default)(BaseFlashPlayback, _Playback); + if (levelDetails.initSegment && !levelDetails.initSegment.data) { + frag = levelDetails.initSegment; + } else { + // in case of live playlist we need to ensure that requested position is not located before playlist start + if (levelDetails.live) { + var initialLiveManifestSize = this.config.initialLiveManifestSize; - function BaseFlashPlayback() { - (0, _classCallCheck3.default)(this, BaseFlashPlayback); - return (0, _possibleConstructorReturn3.default)(this, _Playback.apply(this, arguments)); - } + if (fragLen < initialLiveManifestSize) { + logger["logger"].warn("Can not start playback of a level, reason: not enough fragments " + fragLen + " < " + initialLiveManifestSize); + return; + } - BaseFlashPlayback.prototype.setElement = function setElement(element) { - this.$el = element; - this.el = element[0]; - }; + frag = this._ensureFragmentAtLivePoint(levelDetails, bufferEnd, start, end, fragPrevious, fragments, fragLen); // if it explicitely returns null don't load any fragment and exit function now - BaseFlashPlayback.prototype.render = function render() { - this.$el.attr('data', this.swfPath); - this.$el.html(this.template({ - cid: this.cid, - swfPath: this.swfPath, - baseUrl: this.baseUrl, - playbackId: this.uniqueId, - wmode: this.wmode, - callbackName: 'window.Clappr.flashlsCallbacks.' + this.cid })); + if (frag === null) { + return; + } + } else { + // VoD playlist: if bufferEnd before start of playlist, load first fragment + if (bufferEnd < start) { + frag = fragments[0]; + } + } + } - if (_browser2.default.isIE) { - this.$('embed').remove(); + if (!frag) { + frag = this._findFragment(start, fragPrevious, fragLen, fragments, bufferEnd, end, levelDetails); + } - if (_browser2.default.isLegacyIE) this.$el.attr('classid', IE_CLASSID); - } + if (frag) { + if (frag.encrypted) { + logger["logger"].log("Loading key for " + frag.sn + " of [" + levelDetails.startSN + " ," + levelDetails.endSN + "],level " + level); - this.el.id = this.cid; + this._loadKey(frag); + } else { + logger["logger"].log("Loading " + frag.sn + " of [" + levelDetails.startSN + " ," + levelDetails.endSN + "],level " + level + ", currentTime:" + pos.toFixed(3) + ",bufferEnd:" + bufferEnd.toFixed(3)); - return this; - }; + this._loadFragment(frag); + } + } + }; - (0, _createClass3.default)(BaseFlashPlayback, [{ - key: 'tagName', - get: function get() { - return 'object'; - } - }, { - key: 'swfPath', - get: function get() { - return ''; - } - }, { - key: 'wmode', - get: function get() { - return 'transparent'; - } - }, { - key: 'template', - get: function get() { - return (0, _template2.default)(_flash2.default); - } - }, { - key: 'attributes', - get: function get() { - var type = 'application/x-shockwave-flash'; + _proto._ensureFragmentAtLivePoint = function _ensureFragmentAtLivePoint(levelDetails, bufferEnd, start, end, fragPrevious, fragments, fragLen) { + var config = this.hls.config, + media = this.media; + var frag; // check if requested position is within seekable boundaries : + // logger.log(`start/pos/bufEnd/seeking:${start.toFixed(3)}/${pos.toFixed(3)}/${bufferEnd.toFixed(3)}/${this.media.seeking}`); - if (_browser2.default.isLegacyIE) type = ''; + var maxLatency = config.liveMaxLatencyDuration !== undefined ? config.liveMaxLatencyDuration : config.liveMaxLatencyDurationCount * levelDetails.targetduration; - return { - class: 'clappr-flash-playback', - type: type, - width: '100%', - height: '100%', - data: this.swfPath, - 'data-flash-playback': this.name - }; - } - }]); - return BaseFlashPlayback; - }(_playback2.default); + if (bufferEnd < Math.max(start - config.maxFragLookUpTolerance, end - maxLatency)) { + var liveSyncPosition = this.liveSyncPosition = this.computeLivePosition(start, levelDetails); + bufferEnd = liveSyncPosition; - exports.default = BaseFlashPlayback; - module.exports = exports['default']; + if (media && !media.paused && media.readyState && media.duration > liveSyncPosition && liveSyncPosition > media.currentTime) { + logger["logger"].log("buffer end: " + bufferEnd.toFixed(3) + " is located too far from the end of live sliding playlist, reset currentTime to : " + liveSyncPosition.toFixed(3)); + media.currentTime = liveSyncPosition; + } - /***/ }), - /* 178 */ - /***/ (function(module, exports) { + this.nextLoadPosition = liveSyncPosition; + } // if end of buffer greater than live edge, don't load any fragment + // this could happen if live playlist intermittently slides in the past. + // level 1 loaded [182580161,182580167] + // level 1 loaded [182580162,182580169] + // Loading 182580168 of [182580162 ,182580169],level 1 .. + // Loading 182580169 of [182580162 ,182580169],level 1 .. + // level 1 loaded [182580162,182580168] <============= here we should have bufferEnd > end. in that case break to avoid reloading 182580168 + // level 1 loaded [182580164,182580171] + // + // don't return null in case media not loaded yet (readystate === 0) + + + if (levelDetails.PTSKnown && bufferEnd > end && media && media.readyState) { + return null; + } - module.exports = "<param name=\"movie\" value=\"<%= swfPath %>\">\n<param name=\"quality\" value=\"autohigh\">\n<param name=\"swliveconnect\" value=\"true\">\n<param name=\"allowScriptAccess\" value=\"always\">\n<param name=\"bgcolor\" value=\"#000000\">\n<param name=\"allowFullScreen\" value=\"false\">\n<param name=\"wmode\" value=\"<%= wmode %>\">\n<param name=\"tabindex\" value=\"1\">\n<param name=\"FlashVars\" value=\"playbackId=<%= playbackId %>&callback=<%= callbackName %>\">\n<embed\n name=\"<%= cid %>\"\n type=\"application/x-shockwave-flash\"\n disabled=\"disabled\"\n tabindex=\"-1\"\n enablecontextmenu=\"false\"\n allowScriptAccess=\"always\"\n quality=\"autohigh\"\n pluginspage=\"http://www.macromedia.com/go/getflashplayer\"\n wmode=\"<%= wmode %>\"\n swliveconnect=\"true\"\n allowfullscreen=\"false\"\n bgcolor=\"#000000\"\n FlashVars=\"playbackId=<%= playbackId %>&callback=<%= callbackName %>\"\n data=\"<%= swfPath %>\"\n src=\"<%= swfPath %>\"\n width=\"100%\"\n height=\"100%\">\n</embed>\n"; + if (this.startFragRequested && !levelDetails.PTSKnown) { + /* we are switching level on live playlist, but we don't have any PTS info for that quality level ... + try to load frag matching with next SN. + even if SN are not synchronized between playlists, loading this frag will help us + compute playlist sliding and find the right one after in case it was not the right consecutive one */ + if (fragPrevious) { + if (levelDetails.hasProgramDateTime) { + // Relies on PDT in order to switch bitrates (Support EXT-X-DISCONTINUITY without EXT-X-DISCONTINUITY-SEQUENCE) + logger["logger"].log("live playlist, switching playlist, load frag with same PDT: " + fragPrevious.programDateTime); + frag = findFragmentByPDT(fragments, fragPrevious.endProgramDateTime, config.maxFragLookUpTolerance); + } else { + // Uses buffer and sequence number to calculate switch segment (required if using EXT-X-DISCONTINUITY-SEQUENCE) + var targetSN = fragPrevious.sn + 1; - /***/ }), - /* 179 */ - /***/ (function(module, exports, __webpack_require__) { + if (targetSN >= levelDetails.startSN && targetSN <= levelDetails.endSN) { + var fragNext = fragments[targetSN - levelDetails.startSN]; + if (fragPrevious.cc === fragNext.cc) { + frag = fragNext; + logger["logger"].log("live playlist, switching playlist, load frag with next SN: " + frag.sn); + } + } // next frag SN not available (or not with same continuity counter) + // look for a frag sharing the same CC - var content = __webpack_require__(180); - if(typeof content === 'string') content = [[module.i, content, '']]; + if (!frag) { + frag = binary_search.search(fragments, function (frag) { + return fragPrevious.cc - frag.cc; + }); - var transform; - var insertInto; + if (frag) { + logger["logger"].log("live playlist, switching playlist, load frag with same CC: " + frag.sn); + } + } + } + } + if (!frag) { + /* we have no idea about which fragment should be loaded. + so let's load mid fragment. it will help computing playlist sliding and find the right one + */ + frag = fragments[Math.min(fragLen - 1, Math.round(fragLen / 2))]; + logger["logger"].log("live playlist, switching playlist, unknown, load middle frag : " + frag.sn); + } + } + return frag; + }; - var options = {"singleton":true,"hmr":true} + _proto._findFragment = function _findFragment(start, fragPreviousLoad, fragmentIndexRange, fragments, bufferEnd, end, levelDetails) { + var config = this.hls.config; + var fragNextLoad; - options.transform = transform - options.insertInto = undefined; + if (bufferEnd < end) { + var lookupTolerance = bufferEnd > end - config.maxFragLookUpTolerance ? 0 : config.maxFragLookUpTolerance; // 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) - var update = __webpack_require__(9)(content, options); + fragNextLoad = findFragmentByPTS(fragPreviousLoad, fragments, bufferEnd, lookupTolerance); + } else { + // reach end of playlist + fragNextLoad = fragments[fragmentIndexRange - 1]; + } - if(content.locals) module.exports = content.locals; + if (fragNextLoad) { + var curSNIdx = fragNextLoad.sn - levelDetails.startSN; + var sameLevel = fragPreviousLoad && fragNextLoad.level === fragPreviousLoad.level; + var prevSnFrag = fragments[curSNIdx - 1]; + var nextSnFrag = fragments[curSNIdx + 1]; // logger.log('find SN matching with pos:' + bufferEnd + ':' + frag.sn); + + if (fragPreviousLoad && fragNextLoad.sn === fragPreviousLoad.sn) { + if (sameLevel && !fragNextLoad.backtracked) { + if (fragNextLoad.sn < levelDetails.endSN) { + var deltaPTS = fragPreviousLoad.deltaPTS; // if there is a significant delta between audio and video, larger than max allowed hole, + // and if previous remuxed fragment did not start with a keyframe. (fragPrevious.dropped) + // let's try to load previous fragment again to get last keyframe + // then we will reload again current fragment (that way we should be able to fill the buffer hole ...) + + if (deltaPTS && deltaPTS > config.maxBufferHole && fragPreviousLoad.dropped && curSNIdx) { + fragNextLoad = prevSnFrag; + logger["logger"].warn('Previous fragment was dropped with large PTS gap between audio and video. Maybe fragment is not starting with a keyframe? Loading previous one to try to overcome this'); + } else { + fragNextLoad = nextSnFrag; + logger["logger"].log("Re-loading fragment with SN: " + fragNextLoad.sn); + } + } else { + fragNextLoad = null; + } + } else if (fragNextLoad.backtracked) { + // Only backtrack a max of 1 consecutive fragment to prevent sliding back too far when little or no frags start with keyframes + if (nextSnFrag && nextSnFrag.backtracked) { + logger["logger"].warn("Already backtracked from fragment " + nextSnFrag.sn + ", will not backtrack to fragment " + fragNextLoad.sn + ". Loading fragment " + nextSnFrag.sn); + fragNextLoad = nextSnFrag; + } else { + // If a fragment has dropped frames and it's in a same level/sequence, load the previous fragment to try and find the keyframe + // Reset the dropped count now since it won't be reset until we parse the fragment again, which prevents infinite backtracking on the same segment + logger["logger"].warn('Loaded fragment with dropped frames, backtracking 1 segment to find a keyframe'); + fragNextLoad.dropped = 0; + + if (prevSnFrag) { + fragNextLoad = prevSnFrag; + fragNextLoad.backtracked = true; + } else if (curSNIdx) { + // can't backtrack on very first fragment + fragNextLoad = null; + } + } + } + } + } - if(false) { - module.hot.accept("!!../../../../node_modules/css-loader/index.js!../../../../node_modules/postcss-loader/lib/index.js!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/bruno.torres/workspace/clappr/clappr/src/base/scss!./flash.scss", function() { - var newContent = require("!!../../../../node_modules/css-loader/index.js!../../../../node_modules/postcss-loader/lib/index.js!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/bruno.torres/workspace/clappr/clappr/src/base/scss!./flash.scss"); + return fragNextLoad; + }; - if(typeof newContent === 'string') newContent = [[module.id, newContent, '']]; + _proto._loadKey = function _loadKey(frag) { + this.state = State.KEY_LOADING; + this.hls.trigger(events["default"].KEY_LOADING, { + frag: frag + }); + }; - var locals = (function(a, b) { - var key, idx = 0; + _proto._loadFragment = function _loadFragment(frag) { + // Check if fragment is not loaded + var fragState = this.fragmentTracker.getState(frag); + this.fragCurrent = frag; - for(key in a) { - if(!b || a[key] !== b[key]) return false; - idx++; - } + if (frag.sn !== 'initSegment') { + this.startFragRequested = true; + } // Don't update nextLoadPosition for fragments which are not buffered - for(key in b) idx--; - return idx === 0; - }(content.locals, newContent.locals)); + if (Object(number_isFinite["isFiniteNumber"])(frag.sn) && !frag.bitrateTest) { + this.nextLoadPosition = frag.start + frag.duration; + } // Allow backtracked fragments to load - if(!locals) throw new Error('Aborting CSS HMR due to changed css-modules locals.'); - update(newContent); - }); + if (frag.backtracked || fragState === FragmentState.NOT_LOADED || fragState === FragmentState.PARTIAL) { + frag.autoLevel = this.hls.autoLevelEnabled; + frag.bitrateTest = this.bitrateTest; + this.hls.trigger(events["default"].FRAG_LOADING, { + frag: frag + }); // lazy demuxer init, as this could take some time ... do it during frag loading - module.hot.dispose(function() { update(); }); - } + if (!this.demuxer) { + this.demuxer = new demux_demuxer(this.hls, 'main'); + } - /***/ }), - /* 180 */ - /***/ (function(module, exports, __webpack_require__) { - - exports = module.exports = __webpack_require__(8)(false); -// imports + this.state = State.FRAG_LOADING; + } else if (fragState === FragmentState.APPENDING) { + // Lower the buffer size and try again + if (this._reduceMaxBufferLength(frag.duration)) { + this.fragmentTracker.removeFragment(frag); + } + } + }; + _proto.getBufferedFrag = function getBufferedFrag(position) { + return this.fragmentTracker.getBufferedFrag(position, PlaylistLevelType.MAIN); + }; -// module - exports.push([module.i, ".clappr-flash-playback[data-flash-playback] {\n display: block;\n position: absolute;\n top: 0;\n left: 0;\n height: 100%;\n width: 100%;\n pointer-events: none; }\n", ""]); + _proto.followingBufferedFrag = function followingBufferedFrag(frag) { + if (frag) { + // try to get range of next fragment (500ms after this range) + return this.getBufferedFrag(frag.endPTS + 0.5); + } -// exports + return null; + }; + _proto._checkFragmentChanged = function _checkFragmentChanged() { + var fragPlayingCurrent, + currentTime, + video = this.media; - /***/ }), - /* 181 */ - /***/ (function(module, exports) { + if (video && video.readyState && video.seeking === false) { + 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 + */ - module.exports = "<%=baseUrl%>/4b76590b32dab62bc95c1b7951efae78.swf"; + if (currentTime > this.lastCurrentTime) { + this.lastCurrentTime = currentTime; + } - /***/ }), - /* 182 */ - /***/ (function(module, exports, __webpack_require__) { + if (BufferHelper.isBuffered(video, currentTime)) { + fragPlayingCurrent = this.getBufferedFrag(currentTime); + } else if (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.getBufferedFrag(currentTime + 0.1); + } - "use strict"; + if (fragPlayingCurrent) { + var fragPlaying = fragPlayingCurrent; + if (fragPlaying !== this.fragPlaying) { + this.hls.trigger(events["default"].FRAG_CHANGED, { + frag: fragPlaying + }); + var fragPlayingLevel = fragPlaying.level; - Object.defineProperty(exports, "__esModule", { - value: true - }); + if (!this.fragPlaying || this.fragPlaying.level !== fragPlayingLevel) { + this.hls.trigger(events["default"].LEVEL_SWITCHED, { + level: fragPlayingLevel + }); + } - var _classCallCheck2 = __webpack_require__(0); + this.fragPlaying = fragPlaying; + } + } + } + } + /* + on immediate level switch : + - pause playback if playing + - cancel any pending load request + - and trigger a buffer flush + */ + ; - var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + _proto.immediateLevelSwitch = function immediateLevelSwitch() { + logger["logger"].log('immediateLevelSwitch'); - var _createClass2 = __webpack_require__(3); + if (!this.immediateSwitch) { + this.immediateSwitch = true; + var media = this.media, + previouslyPaused; - var _createClass3 = _interopRequireDefault(_createClass2); + if (media) { + previouslyPaused = media.paused; + media.pause(); + } else { + // don't restart playback after instant level switch in case media not attached + previouslyPaused = true; + } - var _possibleConstructorReturn2 = __webpack_require__(1); + this.previouslyPaused = previouslyPaused; + } - var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); + var fragCurrent = this.fragCurrent; - var _inherits2 = __webpack_require__(2); + if (fragCurrent && fragCurrent.loader) { + fragCurrent.loader.abort(); + } - var _inherits3 = _interopRequireDefault(_inherits2); + this.fragCurrent = null; // flush everything - var _events = __webpack_require__(4); + this.flushMainBuffer(0, Number.POSITIVE_INFINITY); + } + /** + * on immediate level switch end, after new fragment has been buffered: + * - nudge video decoder by slightly adjusting video currentTime (if currentTime buffered) + * - resume the playback if needed + */ + ; + + _proto.immediateLevelSwitchEnd = function immediateLevelSwitchEnd() { + var media = this.media; + + if (media && media.buffered.length) { + this.immediateSwitch = false; + + if (BufferHelper.isBuffered(media, media.currentTime)) { + // only nudge if currentTime is buffered + media.currentTime -= 0.0001; + } - var _events2 = _interopRequireDefault(_events); + if (!this.previouslyPaused) { + media.play(); + } + } + } + /** + * 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 media = this.media; // ensure that media is defined and that metadata are available (to retrieve currentTime) + + if (media && media.readyState) { + var fetchdelay, fragPlayingCurrent, nextBufferedFrag; + fragPlayingCurrent = this.getBufferedFrag(media.currentTime); + + if (fragPlayingCurrent && fragPlayingCurrent.startPTS > 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.startPTS - 1); + } - var _playback = __webpack_require__(10); + if (!media.paused) { + // add a safety delay of 1s + var nextLevelId = this.hls.nextLoadLevel, + nextLevel = this.levels[nextLevelId], + fragLastKbps = this.fragLastKbps; - var _playback2 = _interopRequireDefault(_playback); + if (fragLastKbps && this.fragCurrent) { + fetchdelay = this.fragCurrent.duration * nextLevel.bitrate / (1000 * fragLastKbps) + 1; + } else { + fetchdelay = 0; + } + } else { + fetchdelay = 0; + } // logger.log('fetchdelay:'+fetchdelay); + // find buffer range that will be reached once new fragment will be fetched - var _html5_video = __webpack_require__(41); - var _html5_video2 = _interopRequireDefault(_html5_video); + nextBufferedFrag = this.getBufferedFrag(media.currentTime + fetchdelay); - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + if (nextBufferedFrag) { + // we can flush buffer range following this one without stalling playback + nextBufferedFrag = this.followingBufferedFrag(nextBufferedFrag); -// TODO: remove this playback and change HTML5Video to HTML5Playback (breaking change, only after 0.3.0) - var HTML5Audio = function (_HTML5Video) { - (0, _inherits3.default)(HTML5Audio, _HTML5Video); + if (nextBufferedFrag) { + // if we are here, we can also cancel any loading/demuxing in progress, as they are useless + var fragCurrent = this.fragCurrent; - function HTML5Audio() { - (0, _classCallCheck3.default)(this, HTML5Audio); - return (0, _possibleConstructorReturn3.default)(this, _HTML5Video.apply(this, arguments)); - } + if (fragCurrent && fragCurrent.loader) { + fragCurrent.loader.abort(); + } - HTML5Audio.prototype.updateSettings = function updateSettings() { - this.settings.left = ['playpause', 'position', 'duration']; - this.settings.seekEnabled = this.isSeekEnabled(); - this.trigger(_events2.default.PLAYBACK_SETTINGSUPDATE); - }; + this.fragCurrent = null; // start flush position is the start PTS of next buffered frag. + // we use frag.naxStartPTS which is max(audio startPTS, video startPTS). + // in case there is a small PTS Delta between audio and video, using maxStartPTS avoids flushing last samples from current fragment - HTML5Audio.prototype.getPlaybackType = function getPlaybackType() { - return _playback2.default.AOD; - }; + this.flushMainBuffer(nextBufferedFrag.maxStartPTS, Number.POSITIVE_INFINITY); + } + } + } + }; - (0, _createClass3.default)(HTML5Audio, [{ - key: 'name', - get: function get() { - return 'html5_audio'; - } - }, { - key: 'tagName', - get: function get() { - return 'audio'; - } - }, { - key: 'isAudioOnly', - get: function get() { - return true; - } - }]); - return HTML5Audio; - }(_html5_video2.default); // Copyright 2014 Globo.com Player authors. All rights reserved. -// Use of this source code is governed by a BSD-style -// license that can be found in the LICENSE file. + _proto.flushMainBuffer = function flushMainBuffer(startOffset, endOffset) { + this.state = State.BUFFER_FLUSHING; + var flushScope = { + startOffset: startOffset, + endOffset: endOffset + }; // if alternate audio tracks are used, only flush video, otherwise flush everything - exports.default = HTML5Audio; + if (this.altAudio) { + flushScope.type = 'video'; + } + this.hls.trigger(events["default"].BUFFER_FLUSHING, flushScope); + }; - HTML5Audio.canPlay = function (resourceUrl, mimeType) { - var mimetypes = { - 'wav': ['audio/wav'], - 'mp3': ['audio/mp3', 'audio/mpeg;codecs="mp3"'], - 'aac': ['audio/mp4;codecs="mp4a.40.5"'], - 'oga': ['audio/ogg'] - }; - return _html5_video2.default._canPlay('audio', mimetypes, resourceUrl, mimeType); - }; - module.exports = exports['default']; + _proto.onMediaAttached = function onMediaAttached(data) { + var media = this.media = this.mediaBuffer = data.media; + this.onvseeking = this.onMediaSeeking.bind(this); + this.onvseeked = this.onMediaSeeked.bind(this); + this.onvended = this.onMediaEnded.bind(this); + media.addEventListener('seeking', this.onvseeking); + media.addEventListener('seeked', this.onvseeked); + media.addEventListener('ended', this.onvended); + var config = this.config; - /***/ }), - /* 183 */ - /***/ (function(module, exports, __webpack_require__) { + if (this.levels && config.autoStartLoad) { + this.hls.startLoad(config.startPosition); + } - "use strict"; + this.gapController = new gap_controller_GapController(config, media, this.fragmentTracker, this.hls); + }; + _proto.onMediaDetaching = function onMediaDetaching() { + var media = this.media; - Object.defineProperty(exports, "__esModule", { - value: true - }); + if (media && media.ended) { + logger["logger"].log('MSE detaching and video ended, reset startPosition'); + this.startPosition = this.lastCurrentTime = 0; + } // reset fragment backtracked flag - var _classCallCheck2 = __webpack_require__(0); - var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + var levels = this.levels; - var _possibleConstructorReturn2 = __webpack_require__(1); + if (levels) { + levels.forEach(function (level) { + if (level.details) { + level.details.fragments.forEach(function (fragment) { + fragment.backtracked = undefined; + }); + } + }); + } // remove video listeners - var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); - var _createClass2 = __webpack_require__(3); + if (media) { + media.removeEventListener('seeking', this.onvseeking); + media.removeEventListener('seeked', this.onvseeked); + media.removeEventListener('ended', this.onvended); + this.onvseeking = this.onvseeked = this.onvended = null; + } - var _createClass3 = _interopRequireDefault(_createClass2); + this.fragmentTracker.removeAllFragments(); + this.media = this.mediaBuffer = null; + this.loadedmetadata = false; + this.stopLoad(); + }; - var _inherits2 = __webpack_require__(2); + _proto.onMediaSeeked = function onMediaSeeked() { + var media = this.media; + var currentTime = media ? media.currentTime : undefined; - var _inherits3 = _interopRequireDefault(_inherits2); + if (Object(number_isFinite["isFiniteNumber"])(currentTime)) { + logger["logger"].log("media seeked to " + currentTime.toFixed(3)); + } // tick to speed up FRAGMENT_PLAYING triggering - var _base_flash_playback = __webpack_require__(63); - var _base_flash_playback2 = _interopRequireDefault(_base_flash_playback); + this.tick(); + }; - var _events = __webpack_require__(4); + _proto.onManifestLoading = function onManifestLoading() { + // reset buffer on manifest loading + logger["logger"].log('trigger BUFFER_RESET'); + this.hls.trigger(events["default"].BUFFER_RESET); + this.fragmentTracker.removeAllFragments(); + this.stalled = false; + this.startPosition = this.lastCurrentTime = 0; + }; - var _events2 = _interopRequireDefault(_events); + _proto.onManifestParsed = function onManifestParsed(data) { + var aac = false, + heaac = false, + 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; + } - var _template = __webpack_require__(7); + if (codec.indexOf('mp4a.40.5') !== -1) { + heaac = true; + } + } + }); + this.audioCodecSwitch = aac && heaac; - var _template2 = _interopRequireDefault(_template); + if (this.audioCodecSwitch) { + logger["logger"].log('both AAC/HE-AAC audio found in levels; declaring level codec as HE-AAC'); + } - var _playback = __webpack_require__(10); + this.altAudio = data.altAudio; + this.levels = data.levels; + this.startFragRequested = false; + var config = this.config; - var _playback2 = _interopRequireDefault(_playback); + if (config.autoStartLoad || this.forceStartLoad) { + this.hls.startLoad(config.startPosition); + } + }; - var _mediator = __webpack_require__(31); + _proto.onLevelLoaded = function onLevelLoaded(data) { + var newDetails = data.details; + var newLevelId = data.level; + var lastLevel = this.levels[this.levelLastLoaded]; + var curLevel = this.levels[newLevelId]; + var duration = newDetails.totalduration; + var sliding = 0; + logger["logger"].log("level " + newLevelId + " loaded [" + newDetails.startSN + "," + newDetails.endSN + "],duration:" + duration); - var _mediator2 = _interopRequireDefault(_mediator); + if (newDetails.live) { + var curDetails = curLevel.details; - var _browser = __webpack_require__(14); + if (curDetails && newDetails.fragments.length > 0) { + // we already have details for that level, merge them + mergeDetails(curDetails, newDetails); + sliding = newDetails.fragments[0].start; + this.liveSyncPosition = this.computeLivePosition(sliding, curDetails); - var _browser2 = _interopRequireDefault(_browser); + if (newDetails.PTSKnown && Object(number_isFinite["isFiniteNumber"])(sliding)) { + logger["logger"].log("live playlist sliding:" + sliding.toFixed(3)); + } else { + logger["logger"].log('live playlist - outdated PTS, unknown sliding'); + alignStream(this.fragPrevious, lastLevel, newDetails); + } + } else { + logger["logger"].log('live playlist - first load, unknown sliding'); + newDetails.PTSKnown = false; + alignStream(this.fragPrevious, lastLevel, newDetails); + } + } else { + newDetails.PTSKnown = false; + } // override level info - var _error = __webpack_require__(24); - var _error2 = _interopRequireDefault(_error); + curLevel.details = newDetails; + this.levelLastLoaded = newLevelId; + this.hls.trigger(events["default"].LEVEL_UPDATED, { + details: newDetails, + level: newLevelId + }); - var _flashls_events = __webpack_require__(184); + if (this.startFragRequested === false) { + // 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 = newDetails.startTimeOffset; - var _flashls_events2 = _interopRequireDefault(_flashls_events); + if (Object(number_isFinite["isFiniteNumber"])(startTimeOffset)) { + if (startTimeOffset < 0) { + logger["logger"].log("negative start time offset " + startTimeOffset + ", count from end of last fragment"); + startTimeOffset = sliding + duration + startTimeOffset; + } - var _HLSPlayer = __webpack_require__(185); + logger["logger"].log("start time offset found in playlist, adjust startPosition to " + startTimeOffset); + this.startPosition = startTimeOffset; + } else { + // if live playlist, set start position to be fragment N-this.config.liveSyncDurationCount (usually 3) + if (newDetails.live) { + this.startPosition = this.computeLivePosition(sliding, newDetails); + logger["logger"].log("configure startPosition to " + this.startPosition); + } else { + this.startPosition = 0; + } + } - var _HLSPlayer2 = _interopRequireDefault(_HLSPlayer); + this.lastCurrentTime = this.startPosition; + } - var _clapprZepto = __webpack_require__(6); + this.nextLoadPosition = this.startPosition; + } // only switch batck to IDLE state if we were waiting for level to start downloading a new fragment - var _clapprZepto2 = _interopRequireDefault(_clapprZepto); - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + if (this.state === State.WAITING_LEVEL) { + this.state = State.IDLE; + } // trigger handler right now -// Copyright 2014 Globo.com Player authors. All rights reserved. -// Use of this source code is governed by a BSD-style -// license that can be found in the LICENSE file. - var MAX_ATTEMPTS = 60; - var AUTO = -1; + this.tick(); + }; - var FlasHLS = function (_BaseFlashPlayback) { - (0, _inherits3.default)(FlasHLS, _BaseFlashPlayback); - (0, _createClass3.default)(FlasHLS, [{ - key: 'name', - get: function get() { - return 'flashls'; - } - }, { - key: 'swfPath', - get: function get() { - return (0, _template2.default)(_HLSPlayer2.default)({ baseUrl: this._baseUrl }); - } - }, { - key: 'levels', - get: function get() { - return this._levels || []; - } - }, { - key: 'currentLevel', - get: function get() { - if (this._currentLevel === null || this._currentLevel === undefined) return AUTO;else return this._currentLevel; //0 is a valid level ID - }, - set: function set(id) { - this._currentLevel = id; - this.trigger(_events2.default.PLAYBACK_LEVEL_SWITCH_START); - this.el.playerSetCurrentLevel(id); - } + _proto.onKeyLoaded = function onKeyLoaded() { + if (this.state === State.KEY_LOADING) { + this.state = State.IDLE; + this.tick(); + } + }; - /** - * Determine if the playback has ended. - * @property ended - * @type Boolean - */ + _proto.onFragLoaded = function onFragLoaded(data) { + var fragCurrent = this.fragCurrent, + hls = this.hls, + levels = this.levels, + media = this.media; + var fragLoaded = data.frag; + + if (this.state === State.FRAG_LOADING && fragCurrent && fragLoaded.type === 'main' && fragLoaded.level === fragCurrent.level && fragLoaded.sn === fragCurrent.sn) { + var stats = data.stats; + var currentLevel = levels[fragCurrent.level]; + var details = currentLevel.details; // reset frag bitrate test in any case after frag loaded event + // if this frag was loaded to perform a bitrate test AND if hls.nextLoadLevel is greater than 0 + // then this means that we should be able to load a fragment at a higher quality level + + this.bitrateTest = false; + this.stats = stats; + logger["logger"].log("Loaded " + fragCurrent.sn + " of [" + details.startSN + " ," + details.endSN + "],level " + fragCurrent.level); + + if (fragLoaded.bitrateTest && hls.nextLoadLevel) { + // switch back to IDLE state ... we just loaded a fragment to determine adequate start bitrate and initialize autoswitch algo + this.state = State.IDLE; + this.startFragRequested = false; + stats.tparsed = stats.tbuffered = window.performance.now(); + hls.trigger(events["default"].FRAG_BUFFERED, { + stats: stats, + frag: fragCurrent, + id: 'main' + }); + this.tick(); + } else if (fragLoaded.sn === 'initSegment') { + this.state = State.IDLE; + stats.tparsed = stats.tbuffered = window.performance.now(); + details.initSegment.data = data.payload; + hls.trigger(events["default"].FRAG_BUFFERED, { + stats: stats, + frag: fragCurrent, + id: 'main' + }); + this.tick(); + } else { + logger["logger"].log("Parsing " + fragCurrent.sn + " of [" + details.startSN + " ," + details.endSN + "],level " + fragCurrent.level + ", cc " + fragCurrent.cc); + this.state = State.PARSING; + this.pendingBuffering = true; + this.appended = false; // Bitrate test frags are not usually buffered so the fragment tracker ignores them. If Hls.js decides to buffer + // it (and therefore ends up at this line), then the fragment tracker needs to be manually informed. - }, { - key: 'ended', - get: function get() { - return this._hasEnded; - } + if (fragLoaded.bitrateTest) { + fragLoaded.bitrateTest = false; + this.fragmentTracker.onFragLoaded({ + frag: fragLoaded + }); + } // time Offset is accurate if level PTS is known, or if playlist is not sliding (not live) and if media is not seeking (this is to overcome potential timestamp drifts between playlists and fragments) - /** - * Determine if the playback is buffering. - * This is related to the PLAYBACK_BUFFERING and PLAYBACK_BUFFERFULL events - * @property buffering - * @type Boolean - */ - }, { - key: 'buffering', - get: function get() { - return !!this._bufferingState && !this._hasEnded; - } - }]); + var accurateTimeOffset = !(media && media.seeking) && (details.PTSKnown || !details.live); + var initSegmentData = details.initSegment ? details.initSegment.data : []; - function FlasHLS() { - (0, _classCallCheck3.default)(this, FlasHLS); + var audioCodec = this._getAudioCodec(currentLevel); // transmux the MPEG-TS data to ISO-BMFF segments - for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) { - args[_key] = arguments[_key]; - } - var _this = (0, _possibleConstructorReturn3.default)(this, _BaseFlashPlayback.call.apply(_BaseFlashPlayback, [this].concat(args))); - - _this._src = _this.options.src; - _this._baseUrl = _this.options.baseUrl; - _this._initHlsParameters(_this.options); - // TODO can this be private? - _this.highDefinition = false; - _this._autoPlay = _this.options.autoPlay; - _this._loop = _this.options.loop; - _this._defaultSettings = { - left: ['playstop'], - default: ['seekbar'], - right: ['fullscreen', 'volume', 'hd-indicator'], - seekEnabled: false - }; - _this.settings = _clapprZepto2.default.extend({}, _this._defaultSettings); - _this._playbackType = _playback2.default.LIVE; - _this._hasEnded = false; - _this._addListeners(); - return _this; - } + var demuxer = this.demuxer = this.demuxer || new demux_demuxer(this.hls, 'main'); + demuxer.push(data.payload, initSegmentData, audioCodec, currentLevel.videoCodec, fragCurrent, details.totalduration, accurateTimeOffset); + } + } - FlasHLS.prototype._initHlsParameters = function _initHlsParameters(options) { - this._autoStartLoad = options.autoStartLoad === undefined ? true : options.autoStartLoad; - this._capLevelToStage = options.capLevelToStage === undefined ? false : options.capLevelToStage; - this._maxLevelCappingMode = options.maxLevelCappingMode === undefined ? 'downscale' : options.maxLevelCappingMode; - this._minBufferLength = options.minBufferLength === undefined ? -1 : options.minBufferLength; - this._minBufferLengthCapping = options.minBufferLengthCapping === undefined ? -1 : options.minBufferLengthCapping; - this._maxBufferLength = options.maxBufferLength === undefined ? 120 : options.maxBufferLength; - this._maxBackBufferLength = options.maxBackBufferLength === undefined ? 30 : options.maxBackBufferLength; - this._lowBufferLength = options.lowBufferLength === undefined ? 3 : options.lowBufferLength; - this._mediaTimePeriod = options.mediaTimePeriod === undefined ? 100 : options.mediaTimePeriod; - this._fpsDroppedMonitoringPeriod = options.fpsDroppedMonitoringPeriod === undefined ? 5000 : options.fpsDroppedMonitoringPeriod; - this._fpsDroppedMonitoringThreshold = options.fpsDroppedMonitoringThreshold === undefined ? 0.2 : options.fpsDroppedMonitoringThreshold; - this._capLevelonFPSDrop = options.capLevelonFPSDrop === undefined ? false : options.capLevelonFPSDrop; - this._smoothAutoSwitchonFPSDrop = options.smoothAutoSwitchonFPSDrop === undefined ? this.capLevelonFPSDrop : options.smoothAutoSwitchonFPSDrop; - this._switchDownOnLevelError = options.switchDownOnLevelError === undefined ? true : options.switchDownOnLevelError; - this._seekMode = options.seekMode === undefined ? 'ACCURATE' : options.seekMode; - this._keyLoadMaxRetry = options.keyLoadMaxRetry === undefined ? 3 : options.keyLoadMaxRetry; - this._keyLoadMaxRetryTimeout = options.keyLoadMaxRetryTimeout === undefined ? 64000 : options.keyLoadMaxRetryTimeout; - this._fragmentLoadMaxRetry = options.fragmentLoadMaxRetry === undefined ? 3 : options.fragmentLoadMaxRetry; - this._fragmentLoadMaxRetryTimeout = options.fragmentLoadMaxRetryTimeout === undefined ? 4000 : options.fragmentLoadMaxRetryTimeout; - this._fragmentLoadSkipAfterMaxRetry = options.fragmentLoadSkipAfterMaxRetry === undefined ? true : options.fragmentLoadSkipAfterMaxRetry; - this._maxSkippedFragments = options.maxSkippedFragments === undefined ? 5 : options.maxSkippedFragments; - this._flushLiveURLCache = options.flushLiveURLCache === undefined ? false : options.flushLiveURLCache; - this._initialLiveManifestSize = options.initialLiveManifestSize === undefined ? 1 : options.initialLiveManifestSize; - this._manifestLoadMaxRetry = options.manifestLoadMaxRetry === undefined ? 3 : options.manifestLoadMaxRetry; - this._manifestLoadMaxRetryTimeout = options.manifestLoadMaxRetryTimeout === undefined ? 64000 : options.manifestLoadMaxRetryTimeout; - this._manifestRedundantLoadmaxRetry = options.manifestRedundantLoadmaxRetry === undefined ? 3 : options.manifestRedundantLoadmaxRetry; - this._startFromBitrate = options.startFromBitrate === undefined ? -1 : options.startFromBitrate; - this._startFromLevel = options.startFromLevel === undefined ? -1 : options.startFromLevel; - this._autoStartMaxDuration = options.autoStartMaxDuration === undefined ? -1 : options.autoStartMaxDuration; - this._seekFromLevel = options.seekFromLevel === undefined ? -1 : options.seekFromLevel; - this._useHardwareVideoDecoder = options.useHardwareVideoDecoder === undefined ? false : options.useHardwareVideoDecoder; - this._hlsLogEnabled = options.hlsLogEnabled === undefined ? true : options.hlsLogEnabled; - this._logDebug = options.logDebug === undefined ? false : options.logDebug; - this._logDebug2 = options.logDebug2 === undefined ? false : options.logDebug2; - this._logWarn = options.logWarn === undefined ? true : options.logWarn; - this._logError = options.logError === undefined ? true : options.logError; - this._hlsMinimumDvrSize = options.hlsMinimumDvrSize === undefined ? 60 : options.hlsMinimumDvrSize; - }; + this.fragLoadError = 0; + }; - FlasHLS.prototype._addListeners = function _addListeners() { - var _this2 = this; + _proto.onFragParsingInitSegment = function onFragParsingInitSegment(data) { + var fragCurrent = this.fragCurrent; + var fragNew = data.frag; - _mediator2.default.on(this.cid + ':flashready', function () { - return _this2._bootstrap(); - }); - _mediator2.default.on(this.cid + ':timeupdate', function (timeMetrics) { - return _this2._updateTime(timeMetrics); - }); - _mediator2.default.on(this.cid + ':playbackstate', function (state) { - return _this2._setPlaybackState(state); - }); - _mediator2.default.on(this.cid + ':levelchanged', function (level) { - return _this2._levelChanged(level); - }); - _mediator2.default.on(this.cid + ':error', function (code, url, message) { - return _this2._flashPlaybackError(code, url, message); - }); - _mediator2.default.on(this.cid + ':fragmentloaded', function (loadmetrics) { - return _this2._onFragmentLoaded(loadmetrics); - }); - _mediator2.default.on(this.cid + ':levelendlist', function (level) { - return _this2._onLevelEndlist(level); - }); - }; + if (fragCurrent && data.id === 'main' && fragNew.sn === fragCurrent.sn && fragNew.level === fragCurrent.level && this.state === State.PARSING) { + var tracks = data.tracks, + trackName, + track; // if audio track is expected to come from audio stream controller, discard any coming from main - FlasHLS.prototype.stopListening = function stopListening() { - _BaseFlashPlayback.prototype.stopListening.call(this); - _mediator2.default.off(this.cid + ':flashready'); - _mediator2.default.off(this.cid + ':timeupdate'); - _mediator2.default.off(this.cid + ':playbackstate'); - _mediator2.default.off(this.cid + ':levelchanged'); - _mediator2.default.off(this.cid + ':playbackerror'); - _mediator2.default.off(this.cid + ':fragmentloaded'); - _mediator2.default.off(this.cid + ':manifestloaded'); - _mediator2.default.off(this.cid + ':levelendlist'); - }; + if (tracks.audio && this.altAudio) { + delete tracks.audio; + } // include levelCodec in audio and video tracks - FlasHLS.prototype._bootstrap = function _bootstrap() { - var _this3 = this; - if (this.el.playerLoad) { - this.el.width = '100%'; - this.el.height = '100%'; - this._isReadyState = true; - this._srcLoaded = false; - this._currentState = 'IDLE'; - this._setFlashSettings(); - this._updatePlaybackType(); - if (this._autoPlay || this._shouldPlayOnManifestLoaded) this.play(); + track = tracks.audio; - this.trigger(_events2.default.PLAYBACK_READY, this.name); - } else { - this._bootstrapAttempts = this._bootstrapAttempts || 0; - if (++this._bootstrapAttempts <= MAX_ATTEMPTS) { - setTimeout(function () { - return _this3._bootstrap(); - }, 50); - } else { - var formattedError = this.createError({ - code: 'playerLoadFail_maxNumberAttemptsReached', - description: this.name + ' error: Max number of attempts reached', - level: _error2.default.Levels.FATAL, - raw: {} - }); - this.trigger(_events2.default.PLAYBACK_ERROR, formattedError); - } - } - }; + if (track) { + var audioCodec = this.levels[this.level].audioCodec, + ua = navigator.userAgent.toLowerCase(); - FlasHLS.prototype._setFlashSettings = function _setFlashSettings() { - this.el.playerSetAutoStartLoad(this._autoStartLoad); - this.el.playerSetCapLevelToStage(this._capLevelToStage); - this.el.playerSetMaxLevelCappingMode(this._maxLevelCappingMode); - this.el.playerSetMinBufferLength(this._minBufferLength); - this.el.playerSetMinBufferLengthCapping(this._minBufferLengthCapping); - this.el.playerSetMaxBufferLength(this._maxBufferLength); - this.el.playerSetMaxBackBufferLength(this._maxBackBufferLength); - this.el.playerSetLowBufferLength(this._lowBufferLength); - this.el.playerSetMediaTimePeriod(this._mediaTimePeriod); - this.el.playerSetFpsDroppedMonitoringPeriod(this._fpsDroppedMonitoringPeriod); - this.el.playerSetFpsDroppedMonitoringThreshold(this._fpsDroppedMonitoringThreshold); - this.el.playerSetCapLevelonFPSDrop(this._capLevelonFPSDrop); - this.el.playerSetSmoothAutoSwitchonFPSDrop(this._smoothAutoSwitchonFPSDrop); - this.el.playerSetSwitchDownOnLevelError(this._switchDownOnLevelError); - this.el.playerSetSeekMode(this._seekMode); - this.el.playerSetKeyLoadMaxRetry(this._keyLoadMaxRetry); - this.el.playerSetKeyLoadMaxRetryTimeout(this._keyLoadMaxRetryTimeout); - this.el.playerSetFragmentLoadMaxRetry(this._fragmentLoadMaxRetry); - this.el.playerSetFragmentLoadMaxRetryTimeout(this._fragmentLoadMaxRetryTimeout); - this.el.playerSetFragmentLoadSkipAfterMaxRetry(this._fragmentLoadSkipAfterMaxRetry); - this.el.playerSetMaxSkippedFragments(this._maxSkippedFragments); - this.el.playerSetFlushLiveURLCache(this._flushLiveURLCache); - this.el.playerSetInitialLiveManifestSize(this._initialLiveManifestSize); - this.el.playerSetManifestLoadMaxRetry(this._manifestLoadMaxRetry); - this.el.playerSetManifestLoadMaxRetryTimeout(this._manifestLoadMaxRetryTimeout); - this.el.playerSetManifestRedundantLoadmaxRetry(this._manifestRedundantLoadmaxRetry); - this.el.playerSetStartFromBitrate(this._startFromBitrate); - this.el.playerSetStartFromLevel(this._startFromLevel); - this.el.playerSetAutoStartMaxDuration(this._autoStartMaxDuration); - this.el.playerSetSeekFromLevel(this._seekFromLevel); - this.el.playerSetUseHardwareVideoDecoder(this._useHardwareVideoDecoder); - this.el.playerSetLogInfo(this._hlsLogEnabled); - this.el.playerSetLogDebug(this._logDebug); - this.el.playerSetLogDebug2(this._logDebug2); - this.el.playerSetLogWarn(this._logWarn); - this.el.playerSetLogError(this._logError); - }; + if (audioCodec && this.audioCodecSwap) { + logger["logger"].log('swapping playlist audio codec'); - FlasHLS.prototype.setAutoStartLoad = function setAutoStartLoad(autoStartLoad) { - this._autoStartLoad = autoStartLoad; - this.el.playerSetAutoStartLoad(this._autoStartLoad); - }; + if (audioCodec.indexOf('mp4a.40.5') !== -1) { + audioCodec = 'mp4a.40.2'; + } else { + audioCodec = 'mp4a.40.5'; + } + } // in case AAC and HE-AAC audio codecs are signalled in manifest + // force HE-AAC , as it seems that most browsers prefers that way, + // except for mono streams OR on FF + // these conditions might need to be reviewed ... - FlasHLS.prototype.setCapLevelToStage = function setCapLevelToStage(capLevelToStage) { - this._capLevelToStage = capLevelToStage; - this.el.playerSetCapLevelToStage(this._capLevelToStage); - }; - FlasHLS.prototype.setMaxLevelCappingMode = function setMaxLevelCappingMode(maxLevelCappingMode) { - this._maxLevelCappingMode = maxLevelCappingMode; - this.el.playerSetMaxLevelCappingMode(this._maxLevelCappingMode); - }; + if (this.audioCodecSwitch) { + // don't force HE-AAC if mono stream + if (track.metadata.channelCount !== 1 && // don't force HE-AAC if firefox + 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 - FlasHLS.prototype.setSetMinBufferLength = function setSetMinBufferLength(minBufferLength) { - this._minBufferLength = minBufferLength; - this.el.playerSetMinBufferLength(this._minBufferLength); - }; - FlasHLS.prototype.setMinBufferLengthCapping = function setMinBufferLengthCapping(minBufferLengthCapping) { - this._minBufferLengthCapping = minBufferLengthCapping; - this.el.playerSetMinBufferLengthCapping(this._minBufferLengthCapping); - }; + if (ua.indexOf('android') !== -1 && track.container !== 'audio/mpeg') { + // Exclude mpeg audio + audioCodec = 'mp4a.40.2'; + logger["logger"].log("Android: force audio codec to " + audioCodec); + } - FlasHLS.prototype.setMaxBufferLength = function setMaxBufferLength(maxBufferLength) { - this._maxBufferLength = maxBufferLength; - this.el.playerSetMaxBufferLength(this._maxBufferLength); - }; + track.levelCodec = audioCodec; + track.id = data.id; + } - FlasHLS.prototype.setMaxBackBufferLength = function setMaxBackBufferLength(maxBackBufferLength) { - this._maxBackBufferLength = maxBackBufferLength; - this.el.playerSetMaxBackBufferLength(this._maxBackBufferLength); - }; + track = tracks.video; - FlasHLS.prototype.setLowBufferLength = function setLowBufferLength(lowBufferLength) { - this._lowBufferLength = lowBufferLength; - this.el.playerSetLowBufferLength(this._lowBufferLength); - }; + if (track) { + track.levelCodec = this.levels[this.level].videoCodec; + track.id = data.id; + } - FlasHLS.prototype.setMediaTimePeriod = function setMediaTimePeriod(mediaTimePeriod) { - this._mediaTimePeriod = mediaTimePeriod; - this.el.playerSetMediaTimePeriod(this._mediaTimePeriod); - }; + this.hls.trigger(events["default"].BUFFER_CODECS, tracks); // loop through tracks that are going to be provided to bufferController - FlasHLS.prototype.setFpsDroppedMonitoringPeriod = function setFpsDroppedMonitoringPeriod(fpsDroppedMonitoringPeriod) { - this._fpsDroppedMonitoringPeriod = fpsDroppedMonitoringPeriod; - this.el.playerSetFpsDroppedMonitoringPeriod(this._fpsDroppedMonitoringPeriod); - }; + for (trackName in tracks) { + track = tracks[trackName]; + logger["logger"].log("main track:" + trackName + ",container:" + track.container + ",codecs[level/parsed]=[" + track.levelCodec + "/" + track.codec + "]"); + var initSegment = track.initSegment; - FlasHLS.prototype.setFpsDroppedMonitoringThreshold = function setFpsDroppedMonitoringThreshold(fpsDroppedMonitoringThreshold) { - this._fpsDroppedMonitoringThreshold = fpsDroppedMonitoringThreshold; - this.el.playerSetFpsDroppedMonitoringThreshold(this._fpsDroppedMonitoringThreshold); - }; + if (initSegment) { + this.appended = true; // arm pending Buffering flag before appending a segment - FlasHLS.prototype.setCapLevelonFPSDrop = function setCapLevelonFPSDrop(capLevelonFPSDrop) { - this._capLevelonFPSDrop = capLevelonFPSDrop; - this.el.playerSetCapLevelonFPSDrop(this._capLevelonFPSDrop); - }; + this.pendingBuffering = true; + this.hls.trigger(events["default"].BUFFER_APPENDING, { + type: trackName, + data: initSegment, + parent: 'main', + content: 'initSegment' + }); + } + } // trigger handler right now - FlasHLS.prototype.setSmoothAutoSwitchonFPSDrop = function setSmoothAutoSwitchonFPSDrop(smoothAutoSwitchonFPSDrop) { - this._smoothAutoSwitchonFPSDrop = smoothAutoSwitchonFPSDrop; - this.el.playerSetSmoothAutoSwitchonFPSDrop(this._smoothAutoSwitchonFPSDrop); - }; - FlasHLS.prototype.setSwitchDownOnLevelError = function setSwitchDownOnLevelError(switchDownOnLevelError) { - this._switchDownOnLevelError = switchDownOnLevelError; - this.el.playerSetSwitchDownOnLevelError(this._switchDownOnLevelError); - }; + this.tick(); + } + }; - FlasHLS.prototype.setSeekMode = function setSeekMode(seekMode) { - this._seekMode = seekMode; - this.el.playerSetSeekMode(this._seekMode); - }; + _proto.onFragParsingData = function onFragParsingData(data) { + var _this2 = this; - FlasHLS.prototype.setKeyLoadMaxRetry = function setKeyLoadMaxRetry(keyLoadMaxRetry) { - this._keyLoadMaxRetry = keyLoadMaxRetry; - this.el.playerSetKeyLoadMaxRetry(this._keyLoadMaxRetry); - }; + var fragCurrent = this.fragCurrent; + var fragNew = data.frag; - FlasHLS.prototype.setKeyLoadMaxRetryTimeout = function setKeyLoadMaxRetryTimeout(keyLoadMaxRetryTimeout) { - this._keyLoadMaxRetryTimeout = keyLoadMaxRetryTimeout; - this.el.playerSetKeyLoadMaxRetryTimeout(this._keyLoadMaxRetryTimeout); - }; + if (fragCurrent && data.id === 'main' && fragNew.sn === fragCurrent.sn && fragNew.level === fragCurrent.level && !(data.type === 'audio' && this.altAudio) && // filter out main audio if audio track is loaded through audio stream controller + this.state === State.PARSING) { + var level = this.levels[this.level], + frag = fragCurrent; - FlasHLS.prototype.setFragmentLoadMaxRetry = function setFragmentLoadMaxRetry(fragmentLoadMaxRetry) { - this._fragmentLoadMaxRetry = fragmentLoadMaxRetry; - this.el.playerSetFragmentLoadMaxRetry(this._fragmentLoadMaxRetry); - }; + if (!Object(number_isFinite["isFiniteNumber"])(data.endPTS)) { + data.endPTS = data.startPTS + fragCurrent.duration; + data.endDTS = data.startDTS + fragCurrent.duration; + } - FlasHLS.prototype.setFragmentLoadMaxRetryTimeout = function setFragmentLoadMaxRetryTimeout(fragmentLoadMaxRetryTimeout) { - this._fragmentLoadMaxRetryTimeout = fragmentLoadMaxRetryTimeout; - this.el.playerSetFragmentLoadMaxRetryTimeout(this._fragmentLoadMaxRetryTimeout); - }; + if (data.hasAudio === true) { + frag.addElementaryStream(ElementaryStreamTypes.AUDIO); + } - FlasHLS.prototype.setFragmentLoadSkipAfterMaxRetry = function setFragmentLoadSkipAfterMaxRetry(fragmentLoadSkipAfterMaxRetry) { - this._fragmentLoadSkipAfterMaxRetry = fragmentLoadSkipAfterMaxRetry; - this.el.playerSetFragmentLoadSkipAfterMaxRetry(this._fragmentLoadSkipAfterMaxRetry); - }; + if (data.hasVideo === true) { + frag.addElementaryStream(ElementaryStreamTypes.VIDEO); + } - FlasHLS.prototype.setMaxSkippedFragments = function setMaxSkippedFragments(maxSkippedFragments) { - this._maxSkippedFragments = maxSkippedFragments; - this.el.playerSetMaxSkippedFragments(this._maxSkippedFragments); - }; + logger["logger"].log("Parsed " + data.type + ",PTS:[" + data.startPTS.toFixed(3) + "," + data.endPTS.toFixed(3) + "],DTS:[" + data.startDTS.toFixed(3) + "/" + data.endDTS.toFixed(3) + "],nb:" + data.nb + ",dropped:" + (data.dropped || 0)); // Detect gaps in a fragment and try to fix it by finding a keyframe in the previous fragment (see _findFragments) + + if (data.type === 'video') { + frag.dropped = data.dropped; + + if (frag.dropped) { + if (!frag.backtracked) { + var levelDetails = level.details; + + if (levelDetails && frag.sn === levelDetails.startSN) { + logger["logger"].warn('missing video frame(s) on first frag, appending with gap', frag.sn); + } else { + logger["logger"].warn('missing video frame(s), backtracking fragment', frag.sn); // Return back to the IDLE state without appending to buffer + // Causes findFragments to backtrack a segment and find the keyframe + // Audio fragments arriving before video sets the nextLoadPosition, causing _findFragments to skip the backtracked fragment + + this.fragmentTracker.removeFragment(frag); + frag.backtracked = true; + this.nextLoadPosition = data.startPTS; + this.state = State.IDLE; + this.fragPrevious = frag; + this.tick(); + return; + } + } else { + logger["logger"].warn('Already backtracked on this fragment, appending with the gap', frag.sn); + } + } else { + // Only reset the backtracked flag if we've loaded the frag without any dropped frames + frag.backtracked = false; + } + } - FlasHLS.prototype.setFlushLiveURLCache = function setFlushLiveURLCache(flushLiveURLCache) { - this._flushLiveURLCache = flushLiveURLCache; - this.el.playerSetFlushLiveURLCache(this._flushLiveURLCache); - }; + var drift = updateFragPTSDTS(level.details, frag, data.startPTS, data.endPTS, data.startDTS, data.endDTS), + hls = this.hls; + hls.trigger(events["default"].LEVEL_PTS_UPDATED, { + details: level.details, + level: this.level, + drift: drift, + type: data.type, + start: data.startPTS, + end: data.endPTS + }); // has remuxer dropped video frames located before first keyframe ? + + [data.data1, data.data2].forEach(function (buffer) { + // only append in PARSING state (rationale is that an appending error could happen synchronously on first segment appending) + // in that case it is useless to append following segments + if (buffer && buffer.length && _this2.state === State.PARSING) { + _this2.appended = true; // arm pending Buffering flag before appending a segment + + _this2.pendingBuffering = true; + hls.trigger(events["default"].BUFFER_APPENDING, { + type: data.type, + data: buffer, + parent: 'main', + content: 'data' + }); + } + }); // trigger handler right now - FlasHLS.prototype.setInitialLiveManifestSize = function setInitialLiveManifestSize(initialLiveManifestSize) { - this._initialLiveManifestSize = initialLiveManifestSize; - this.el.playerSetInitialLiveManifestSize(this._initialLiveManifestSize); - }; + this.tick(); + } + }; - FlasHLS.prototype.setManifestLoadMaxRetry = function setManifestLoadMaxRetry(manifestLoadMaxRetry) { - this._manifestLoadMaxRetry = manifestLoadMaxRetry; - this.el.playerSetManifestLoadMaxRetry(this._manifestLoadMaxRetry); - }; + _proto.onFragParsed = function onFragParsed(data) { + var fragCurrent = this.fragCurrent; + var fragNew = data.frag; - FlasHLS.prototype.setManifestLoadMaxRetryTimeout = function setManifestLoadMaxRetryTimeout(manifestLoadMaxRetryTimeout) { - this._manifestLoadMaxRetryTimeout = manifestLoadMaxRetryTimeout; - this.el.playerSetManifestLoadMaxRetryTimeout(this._manifestLoadMaxRetryTimeout); - }; + if (fragCurrent && data.id === 'main' && fragNew.sn === fragCurrent.sn && fragNew.level === fragCurrent.level && this.state === State.PARSING) { + this.stats.tparsed = window.performance.now(); + this.state = State.PARSED; - FlasHLS.prototype.setManifestRedundantLoadmaxRetry = function setManifestRedundantLoadmaxRetry(manifestRedundantLoadmaxRetry) { - this._manifestRedundantLoadmaxRetry = manifestRedundantLoadmaxRetry; - this.el.playerSetManifestRedundantLoadmaxRetry(this._manifestRedundantLoadmaxRetry); - }; + this._checkAppendedParsed(); + } + }; - FlasHLS.prototype.setStartFromBitrate = function setStartFromBitrate(startFromBitrate) { - this._startFromBitrate = startFromBitrate; - this.el.playerSetStartFromBitrate(this._startFromBitrate); - }; + _proto.onAudioTrackSwitching = function onAudioTrackSwitching(data) { + // if any URL found on new audio track, it is an alternate audio track + var altAudio = !!data.url, + 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) { + logger["logger"].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.loader) { + logger["logger"].log('switching to main audio track, cancel main fragment load'); + fragCurrent.loader.abort(); + } - FlasHLS.prototype.setStartFromLevel = function setStartFromLevel(startFromLevel) { - this._startFromLevel = startFromLevel; - this.el.playerSetStartFromLevel(this._startFromLevel); - }; + this.fragCurrent = null; + this.fragPrevious = null; // destroy demuxer to force init segment generation (following audio switch) - FlasHLS.prototype.setAutoStartMaxDuration = function setAutoStartMaxDuration(autoStartMaxDuration) { - this._autoStartMaxDuration = autoStartMaxDuration; - this.el.playerSetAutoStartMaxDuration(this._autoStartMaxDuration); - }; + if (this.demuxer) { + this.demuxer.destroy(); + this.demuxer = null; + } // switch to IDLE state to load new fragment - FlasHLS.prototype.setSeekFromLevel = function setSeekFromLevel(seekFromLevel) { - this._seekFromLevel = seekFromLevel; - this.el.playerSetSeekFromLevel(this._seekFromLevel); - }; - FlasHLS.prototype.setUseHardwareVideoDecoder = function setUseHardwareVideoDecoder(useHardwareVideoDecoder) { - this._useHardwareVideoDecoder = useHardwareVideoDecoder; - this.el.playerSetUseHardwareVideoDecoder(this._useHardwareVideoDecoder); - }; + this.state = State.IDLE; + } - FlasHLS.prototype.setSetLogInfo = function setSetLogInfo(hlsLogEnabled) { - this._hlsLogEnabled = hlsLogEnabled; - this.el.playerSetLogInfo(this._hlsLogEnabled); - }; + var hls = this.hls; // switching to main audio, flush all audio and trigger track switched - FlasHLS.prototype.setLogDebug = function setLogDebug(logDebug) { - this._logDebug = logDebug; - this.el.playerSetLogDebug(this._logDebug); - }; + hls.trigger(events["default"].BUFFER_FLUSHING, { + startOffset: 0, + endOffset: Number.POSITIVE_INFINITY, + type: 'audio' + }); + hls.trigger(events["default"].AUDIO_TRACK_SWITCHED, { + id: trackId + }); + this.altAudio = false; + } + }; - FlasHLS.prototype.setLogDebug2 = function setLogDebug2(logDebug2) { - this._logDebug2 = logDebug2; - this.el.playerSetLogDebug2(this._logDebug2); - }; + _proto.onAudioTrackSwitched = function onAudioTrackSwitched(data) { + var trackId = data.id, + altAudio = !!this.hls.audioTracks[trackId].url; - FlasHLS.prototype.setLogWarn = function setLogWarn(logWarn) { - this._logWarn = logWarn; - this.el.playerSetLogWarn(this._logWarn); - }; + if (altAudio) { + var videoBuffer = this.videoBuffer; // if we switched on alternate audio, ensure that main fragment scheduling is synced with video sourcebuffer buffered - FlasHLS.prototype.setLogError = function setLogError(logError) { - this._logError = logError; - this.el.playerSetLogError(this._logError); - }; + if (videoBuffer && this.mediaBuffer !== videoBuffer) { + logger["logger"].log('switching on alternate audio, use video.buffered to schedule main fragment loading'); + this.mediaBuffer = videoBuffer; + } + } - FlasHLS.prototype._levelChanged = function _levelChanged(level) { - var currentLevel = this.el.getLevels()[level]; - if (currentLevel) { - this.highDefinition = currentLevel.height >= 720 || currentLevel.bitrate / 1000 >= 2000; - this.trigger(_events2.default.PLAYBACK_HIGHDEFINITIONUPDATE, this.highDefinition); + this.altAudio = altAudio; + this.tick(); + }; - if (!this._levels || this._levels.length === 0) this._fillLevels(); + _proto.onBufferCreated = function onBufferCreated(data) { + var tracks = data.tracks, + mediaTrack, + name, + alternate = false; - this.trigger(_events2.default.PLAYBACK_BITRATE, { - height: currentLevel.height, - width: currentLevel.width, - bandwidth: currentLevel.bitrate, - bitrate: currentLevel.bitrate, - level: level - }); - this.trigger(_events2.default.PLAYBACK_LEVEL_SWITCH_END); - } - }; + for (var type in tracks) { + var track = tracks[type]; - FlasHLS.prototype._updateTime = function _updateTime(timeMetrics) { - if (this._currentState === 'IDLE') return; + if (track.id === 'main') { + name = type; + mediaTrack = track; // keep video source buffer reference - var duration = this._normalizeDuration(timeMetrics.duration); - var position = Math.min(Math.max(timeMetrics.position, 0), duration); - var previousDVRStatus = this._dvrEnabled; - var livePlayback = this._playbackType === _playback2.default.LIVE; - this._dvrEnabled = livePlayback && duration > this._hlsMinimumDvrSize; + if (type === 'video') { + this.videoBuffer = tracks[type].buffer; + } + } else { + alternate = true; + } + } - if (duration === 100 || livePlayback === undefined) return; + if (alternate && mediaTrack) { + logger["logger"].log("alternate track found, use " + name + ".buffered to schedule main fragment loading"); + this.mediaBuffer = mediaTrack.buffer; + } else { + this.mediaBuffer = this.media; + } + }; - if (this._dvrEnabled !== previousDVRStatus) { - this._updateSettings(); - this.trigger(_events2.default.PLAYBACK_SETTINGSUPDATE, this.name); - } + _proto.onBufferAppended = function onBufferAppended(data) { + if (data.parent === 'main') { + var state = this.state; - if (livePlayback && !this._dvrEnabled) position = duration; + if (state === State.PARSING || state === State.PARSED) { + // check if all buffers have been appended + this.pendingBuffering = data.pending > 0; - this.trigger(_events2.default.PLAYBACK_TIMEUPDATE, { current: position, total: duration }, this.name); - }; + this._checkAppendedParsed(); + } + } + }; - FlasHLS.prototype.play = function play() { - this.trigger(_events2.default.PLAYBACK_PLAY_INTENT); - if (this._currentState === 'PAUSED') this.el.playerResume();else if (!this._srcLoaded && this._currentState !== 'PLAYING') this._firstPlay();else this.el.playerPlay(); - }; + _proto._checkAppendedParsed = function _checkAppendedParsed() { + // trigger handler right now + if (this.state === State.PARSED && (!this.appended || !this.pendingBuffering)) { + var frag = this.fragCurrent; - FlasHLS.prototype.getPlaybackType = function getPlaybackType() { - return this._playbackType ? this._playbackType : null; - }; + if (frag) { + var media = this.mediaBuffer ? this.mediaBuffer : this.media; + logger["logger"].log("main buffered : " + time_ranges.toString(media.buffered)); + this.fragPrevious = frag; + var stats = this.stats; + stats.tbuffered = window.performance.now(); // we should get rid of this.fragLastKbps + + this.fragLastKbps = Math.round(8 * stats.total / (stats.tbuffered - stats.tfirst)); + this.hls.trigger(events["default"].FRAG_BUFFERED, { + stats: stats, + frag: frag, + id: 'main' + }); + this.state = State.IDLE; + } - FlasHLS.prototype.getCurrentTime = function getCurrentTime() { - return this.el.getPosition(); - }; + this.tick(); + } + }; - FlasHLS.prototype.getCurrentLevelIndex = function getCurrentLevelIndex() { - return this._currentLevel; - }; + _proto.onError = function onError(data) { + var frag = data.frag || this.fragCurrent; // don't handle frag error not related to main fragment - FlasHLS.prototype.getCurrentLevel = function getCurrentLevel() { - return this.levels[this.currentLevel]; - }; + if (frag && frag.type !== 'main') { + return; + } // 0.5 : tolerance needed as some browsers stalls playback before reaching buffered end + + + var mediaBuffered = !!this.media && BufferHelper.isBuffered(this.media, this.media.currentTime) && BufferHelper.isBuffered(this.media, this.media.currentTime + 0.5); + + switch (data.details) { + case errors["ErrorDetails"].FRAG_LOAD_ERROR: + case errors["ErrorDetails"].FRAG_LOAD_TIMEOUT: + case errors["ErrorDetails"].KEY_LOAD_ERROR: + case errors["ErrorDetails"].KEY_LOAD_TIMEOUT: + if (!data.fatal) { + // keep retrying until the limit will be reached + if (this.fragLoadError + 1 <= this.config.fragLoadingMaxRetry) { + // exponential backoff capped to config.fragLoadingMaxRetryTimeout + var delay = Math.min(Math.pow(2, this.fragLoadError) * this.config.fragLoadingRetryDelay, this.config.fragLoadingMaxRetryTimeout); + logger["logger"].warn("mediaController: frag loading failed, retry in " + delay + " ms"); + this.retryDate = window.performance.now() + delay; // retry loading state + // 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; + } - FlasHLS.prototype.getCurrentBitrate = function getCurrentBitrate() { - return this.levels[this.currentLevel].bitrate; - }; + this.fragLoadError++; + this.state = State.FRAG_LOADING_WAITING_RETRY; + } else { + logger["logger"].error("mediaController: " + data.details + " reaches max retry, redispatch as fatal ..."); // switch error to fatal - FlasHLS.prototype.setCurrentLevel = function setCurrentLevel(level) { - this.currentLevel = level; - }; + data.fatal = true; + this.state = State.ERROR; + } + } - FlasHLS.prototype.isHighDefinitionInUse = function isHighDefinitionInUse() { - return this.highDefinition; - }; + break; - FlasHLS.prototype.getLevels = function getLevels() { - return this.levels; - }; + case errors["ErrorDetails"].LEVEL_LOAD_ERROR: + case errors["ErrorDetails"].LEVEL_LOAD_TIMEOUT: + if (this.state !== State.ERROR) { + if (data.fatal) { + // if fatal error, stop processing + this.state = State.ERROR; + logger["logger"].warn("streamController: " + data.details + ",switch to " + this.state + " state ..."); + } 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 === State.WAITING_LEVEL) { + this.state = State.IDLE; + } + } + } - FlasHLS.prototype._setPlaybackState = function _setPlaybackState(state) { - if (['PLAYING_BUFFERING', 'PAUSED_BUFFERING'].indexOf(state) >= 0) { - this._bufferingState = true; - this.trigger(_events2.default.PLAYBACK_BUFFERING, this.name); - this._updateCurrentState(state); - } else if (['PLAYING', 'PAUSED'].indexOf(state) >= 0) { - if (['PLAYING_BUFFERING', 'PAUSED_BUFFERING', 'IDLE'].indexOf(this._currentState) >= 0) { - this._bufferingState = false; - this.trigger(_events2.default.PLAYBACK_BUFFERFULL, this.name); - } - this._updateCurrentState(state); - } else if (state === 'IDLE') { - this._srcLoaded = false; - if (this._loop && ['PLAYING_BUFFERING', 'PLAYING'].indexOf(this._currentState) >= 0) { - this.play(); - this.seek(0); - } else { - this._updateCurrentState(state); - this._hasEnded = true; - this.trigger(_events2.default.PLAYBACK_TIMEUPDATE, { current: 0, total: this.getDuration() }, this.name); - this.trigger(_events2.default.PLAYBACK_ENDED, this.name); - } - } - }; + break; - FlasHLS.prototype._updateCurrentState = function _updateCurrentState(state) { - this._currentState = state; - if (state !== 'IDLE') this._hasEnded = false; + case errors["ErrorDetails"].BUFFER_FULL_ERROR: + // if in appending state + if (data.parent === 'main' && (this.state === State.PARSING || this.state === State.PARSED)) { + // reduce max buf len if current position is buffered + if (mediaBuffered) { + this._reduceMaxBufferLength(this.config.maxBufferLength); - this._updatePlaybackType(); - if (state === 'PLAYING') this.trigger(_events2.default.PLAYBACK_PLAY, this.name);else if (state === 'PAUSED') this.trigger(_events2.default.PLAYBACK_PAUSE, this.name); - }; + this.state = 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 + logger["logger"].warn('buffer full error also media.currentTime is not buffered, flush everything'); + this.fragCurrent = null; // flush everything - FlasHLS.prototype._updatePlaybackType = function _updatePlaybackType() { - this._playbackType = this.el.getType(); - if (this._playbackType) { - this._playbackType = this._playbackType.toLowerCase(); - if (this._playbackType === _playback2.default.VOD) this._startReportingProgress();else this._stopReportingProgress(); - } - this.trigger(_events2.default.PLAYBACK_PLAYBACKSTATE, { type: this._playbackType }); - }; + this.flushMainBuffer(0, Number.POSITIVE_INFINITY); + } + } - FlasHLS.prototype._startReportingProgress = function _startReportingProgress() { - if (!this._reportingProgress) this._reportingProgress = true; - }; + break; - FlasHLS.prototype._stopReportingProgress = function _stopReportingProgress() { - this._reportingProgress = false; - }; + default: + break; + } + }; - FlasHLS.prototype._onFragmentLoaded = function _onFragmentLoaded(loadmetrics) { - this.trigger(_events2.default.PLAYBACK_FRAGMENT_LOADED, loadmetrics); - if (this._reportingProgress && this.getCurrentTime()) { - var buffered = this.getCurrentTime() + this.el.getbufferLength(); - this.trigger(_events2.default.PLAYBACK_PROGRESS, { - start: this.getCurrentTime(), - current: buffered, - total: this.el.getDuration() - }); - } - }; + _proto._reduceMaxBufferLength = function _reduceMaxBufferLength(minLength) { + var config = this.config; - FlasHLS.prototype._onLevelEndlist = function _onLevelEndlist() { - this._updatePlaybackType(); - }; + if (config.maxMaxBufferLength >= minLength) { + // reduce max buffer length as it might be too high. we do this to avoid loop flushing ... + config.maxMaxBufferLength /= 2; + logger["logger"].warn("main:reduce max buffer length to " + config.maxMaxBufferLength + "s"); + return true; + } - FlasHLS.prototype._firstPlay = function _firstPlay() { - var _this4 = this; + return false; + } + /** + * Checks the health of the buffer and attempts to resolve playback stalls. + * @private + */ + ; - this._shouldPlayOnManifestLoaded = true; - if (this.el.playerLoad) { - _mediator2.default.once(this.cid + ':manifestloaded', function (duration, loadmetrics) { - return _this4._manifestLoaded(duration, loadmetrics); - }); - this._setFlashSettings(); //ensure flushLiveURLCache will work (#327) - this.el.playerLoad(this._src); - this._srcLoaded = true; - } - }; + _proto._checkBuffer = function _checkBuffer() { + var media = this.media; - FlasHLS.prototype.volume = function volume(value) { - var _this5 = this; + if (!media || media.readyState === 0) { + // Exit early if we don't have media or if the media hasn't bufferd anything yet (readyState 0) + return; + } - if (this.isReady) this.el.playerVolume(value);else this.listenToOnce(this, _events2.default.PLAYBACK_BUFFERFULL, function () { - return _this5.volume(value); - }); - }; + var mediaBuffer = this.mediaBuffer ? this.mediaBuffer : media; + var buffered = mediaBuffer.buffered; - FlasHLS.prototype.pause = function pause() { - if (this._playbackType !== _playback2.default.LIVE || this._dvrEnabled) { - this.el.playerPause(); - if (this._playbackType === _playback2.default.LIVE && this._dvrEnabled) this._updateDvr(true); - } - }; + if (!this.loadedmetadata && buffered.length) { + this.loadedmetadata = true; - FlasHLS.prototype.stop = function stop() { - this._srcLoaded = false; - this.el.playerStop(); - this.trigger(_events2.default.PLAYBACK_STOP); - this.trigger(_events2.default.PLAYBACK_TIMEUPDATE, { current: 0, total: 0 }, this.name); - }; + this._seekToStartPos(); + } else if (this.immediateSwitch) { + this.immediateLevelSwitchEnd(); + } else { + this.gapController.poll(this.lastCurrentTime, buffered); + } + }; - FlasHLS.prototype.isPlaying = function isPlaying() { - if (this._currentState) return !!this._currentState.match(/playing/i); + _proto.onFragLoadEmergencyAborted = function onFragLoadEmergencyAborted() { + this.state = State.IDLE; // if loadedmetadata is not set, it means that we are emergency switch down on first frag + // in that case, reset startFragRequested flag - return false; - }; + if (!this.loadedmetadata) { + this.startFragRequested = false; + this.nextLoadPosition = this.startPosition; + } - FlasHLS.prototype.getDuration = function getDuration() { - return this._normalizeDuration(this.el.getDuration()); - }; + this.tick(); + }; - FlasHLS.prototype._normalizeDuration = function _normalizeDuration(duration) { - if (this._playbackType === _playback2.default.LIVE) { - // estimate 10 seconds of buffer time for live streams for seek positions - duration = Math.max(0, duration - 10); - } - return duration; - }; + _proto.onBufferFlushed = function onBufferFlushed() { + /* 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 media = this.mediaBuffer ? this.mediaBuffer : this.media; - FlasHLS.prototype.seekPercentage = function seekPercentage(percentage) { - var duration = this.el.getDuration(); - var time = 0; - if (percentage > 0) time = duration * percentage / 100; + if (media) { + // filter fragments potentially evicted from buffer. this is to avoid memleak on live streams + this.fragmentTracker.detectEvictedFragments(ElementaryStreamTypes.VIDEO, media.buffered); + } // move to IDLE once flush complete. this should trigger new fragment loading - this.seek(time); - }; - FlasHLS.prototype.seek = function seek(time) { - var duration = this.getDuration(); - if (this._playbackType === _playback2.default.LIVE) { - // seek operations to a time within 3 seconds from live stream will position playhead back to live - var dvrInUse = duration - time > 3; - this._updateDvr(dvrInUse); - } - this.el.playerSeek(time); - this.trigger(_events2.default.PLAYBACK_TIMEUPDATE, { current: time, total: duration }, this.name); - }; + this.state = State.IDLE; // reset reference to frag - FlasHLS.prototype._updateDvr = function _updateDvr(dvrInUse) { - var previousDvrInUse = !!this._dvrInUse; - this._dvrInUse = dvrInUse; - if (this._dvrInUse !== previousDvrInUse) { - this._updateSettings(); - this.trigger(_events2.default.PLAYBACK_DVR, this._dvrInUse); - this.trigger(_events2.default.PLAYBACK_STATS_ADD, { 'dvr': this._dvrInUse }); - } - }; + this.fragPrevious = null; + }; - FlasHLS.prototype._flashPlaybackError = function _flashPlaybackError(code, url, message) { - var error = { - code: code, - description: message, - level: _error2.default.Levels.FATAL, - raw: { code: code, url: url, message: message } - }; - var formattedError = this.createError(error); - this.trigger(_events2.default.PLAYBACK_ERROR, formattedError); - this.trigger(_events2.default.PLAYBACK_STOP); - }; + _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; // 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 + + var startPosition = media.seeking ? currentTime : this.startPosition; // if currentTime not matching with expected startPosition or startPosition not buffered but close to first buffered + + if (currentTime !== startPosition && startPosition >= 0) { + // if startPosition not buffered, let's seek to buffered.start(0) + logger["logger"].log("target start position not buffered, seek to buffered.start(0) " + startPosition + " from current time " + currentTime + " "); + media.currentTime = startPosition; + } + }; - FlasHLS.prototype._manifestLoaded = function _manifestLoaded(duration, loadmetrics) { - if (this._shouldPlayOnManifestLoaded) { - this._shouldPlayOnManifestLoaded = false; - // this method initialises the player (and starts playback) - // this needs to happen before PLAYBACK_LOADEDMETADATA is fired - // as the user may call seek() in a LOADEDMETADATA listener. - /// when playerPlay() is called the player seeks to 0 - this.el.playerPlay(); - } + _proto._getAudioCodec = function _getAudioCodec(currentLevel) { + var audioCodec = this.config.defaultAudioCodec || currentLevel.audioCodec; - this._fillLevels(); - this.trigger(_events2.default.PLAYBACK_LOADEDMETADATA, { duration: duration, data: loadmetrics }); - }; + if (this.audioCodecSwap) { + logger["logger"].log('swapping playlist audio codec'); - FlasHLS.prototype._fillLevels = function _fillLevels() { - var levels = this.el.getLevels(); - var levelsLength = levels.length; - this._levels = []; + if (audioCodec) { + if (audioCodec.indexOf('mp4a.40.5') !== -1) { + audioCodec = 'mp4a.40.2'; + } else { + audioCodec = 'mp4a.40.5'; + } + } + } - for (var index = 0; index < levelsLength; index++) { - this._levels.push({ id: index, label: levels[index].height + 'p', level: levels[index] }); - }this.trigger(_events2.default.PLAYBACK_LEVELS_AVAILABLE, this._levels); - }; + return audioCodec; + }; - FlasHLS.prototype.destroy = function destroy() { - this.stopListening(); - this.$el.remove(); - }; + stream_controller_createClass(StreamController, [{ + key: "state", + set: function set(nextState) { + if (this.state !== nextState) { + var previousState = this.state; + this._state = nextState; + logger["logger"].log("main stream-controller: " + previousState + "->" + nextState); + this.hls.trigger(events["default"].STREAM_STATE_TRANSITION, { + previousState: previousState, + nextState: nextState + }); + } + }, + get: function get() { + return this._state; + } + }, { + key: "currentLevel", + get: function get() { + var media = this.media; - FlasHLS.prototype._updateSettings = function _updateSettings() { - this.settings = _clapprZepto2.default.extend({}, this._defaultSettings); - if (this._playbackType === _playback2.default.VOD || this._dvrInUse) { - this.settings.left = ['playpause', 'position', 'duration']; - this.settings.seekEnabled = true; - } else if (this._dvrEnabled) { - this.settings.left = ['playpause']; - this.settings.seekEnabled = true; - } else { - this.settings.seekEnabled = false; - } - }; + if (media) { + var frag = this.getBufferedFrag(media.currentTime); - FlasHLS.prototype._createCallbacks = function _createCallbacks() { - var _this6 = this; + if (frag) { + return frag.level; + } + } - if (!window.Clappr) window.Clappr = {}; + return -1; + } + }, { + key: "nextBufferedFrag", + get: function get() { + var media = this.media; + + if (media) { + // first get end range of current fragment + return this.followingBufferedFrag(this.getBufferedFrag(media.currentTime)); + } else { + return null; + } + } + }, { + key: "nextLevel", + get: function get() { + var frag = this.nextBufferedFrag; - if (!window.Clappr.flashlsCallbacks) window.Clappr.flashlsCallbacks = {}; + if (frag) { + return frag.level; + } else { + return -1; + } + } + }, { + key: "liveSyncPosition", + get: function get() { + return this._liveSyncPosition; + }, + set: function set(value) { + this._liveSyncPosition = value; + } + }]); - this.flashlsEvents = new _flashls_events2.default(this.cid); - window.Clappr.flashlsCallbacks[this.cid] = function (eventName, args) { - _this6.flashlsEvents[eventName].apply(_this6.flashlsEvents, args); - }; - }; + return StreamController; + }(base_stream_controller_BaseStreamController); - FlasHLS.prototype.render = function render() { - _BaseFlashPlayback.prototype.render.call(this); - this._createCallbacks(); - return this; - }; + /* harmony default export */ var stream_controller = (stream_controller_StreamController); +// CONCATENATED MODULE: ./src/controller/level-controller.js + function level_controller_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); } } - (0, _createClass3.default)(FlasHLS, [{ - key: 'isReady', - get: function get() { - return this._isReadyState; - } - }, { - key: 'dvrEnabled', - get: function get() { - return !!this._dvrEnabled; - } - }]); - return FlasHLS; - }(_base_flash_playback2.default); + function level_controller_createClass(Constructor, protoProps, staticProps) { if (protoProps) level_controller_defineProperties(Constructor.prototype, protoProps); if (staticProps) level_controller_defineProperties(Constructor, staticProps); return Constructor; } - exports.default = FlasHLS; + function level_controller_inheritsLoose(subClass, superClass) { subClass.prototype = Object.create(superClass.prototype); subClass.prototype.constructor = subClass; subClass.__proto__ = superClass; } + /* + * Level Controller +*/ - FlasHLS.canPlay = function (resource, mimeType) { - var resourceParts = resource.split('?')[0].match(/.*\.(.*)$/) || []; - return _browser2.default.hasFlash && (resourceParts.length > 1 && resourceParts[1].toLowerCase() === 'm3u8' || mimeType === 'application/x-mpegURL' || mimeType === 'application/vnd.apple.mpegurl'); - }; - module.exports = exports['default']; - /***/ }), - /* 184 */ - /***/ (function(module, exports, __webpack_require__) { - "use strict"; - Object.defineProperty(exports, "__esModule", { - value: true - }); - var _classCallCheck2 = __webpack_require__(0); + var level_controller_window = window, + level_controller_performance = level_controller_window.performance; + var chromeOrFirefox; - var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + var level_controller_LevelController = + /*#__PURE__*/ + function (_EventHandler) { + level_controller_inheritsLoose(LevelController, _EventHandler); - var _mediator = __webpack_require__(31); + function LevelController(hls) { + var _this; - var _mediator2 = _interopRequireDefault(_mediator); + _this = _EventHandler.call(this, hls, events["default"].MANIFEST_LOADED, events["default"].LEVEL_LOADED, events["default"].AUDIO_TRACK_SWITCHED, events["default"].FRAG_LOADED, events["default"].ERROR) || this; + _this.canload = false; + _this.currentLevelIndex = null; + _this.manualLevelIndex = -1; + _this.timer = null; + chromeOrFirefox = /chrome|firefox/.test(navigator.userAgent.toLowerCase()); + return _this; + } - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + var _proto = LevelController.prototype; - var HLSEvents = function () { - function HLSEvents(instanceId) { - (0, _classCallCheck3.default)(this, HLSEvents); + _proto.onHandlerDestroying = function onHandlerDestroying() { + this.clearTimer(); + this.manualLevelIndex = -1; + }; - this.instanceId = instanceId; - } + _proto.clearTimer = function clearTimer() { + if (this.timer !== null) { + clearTimeout(this.timer); + this.timer = null; + } + }; - HLSEvents.prototype.ready = function ready() { - _mediator2.default.trigger(this.instanceId + ':flashready'); - }; + _proto.startLoad = function startLoad() { + var levels = this._levels; + this.canload = true; + this.levelRetryCount = 0; // clean up live level details to force reload them, and reset load errors - HLSEvents.prototype.videoSize = function videoSize(width, height) { - _mediator2.default.trigger(this.instanceId + ':videosizechanged', width, height); - }; + if (levels) { + levels.forEach(function (level) { + level.loadError = 0; + var levelDetails = level.details; - HLSEvents.prototype.complete = function complete() { - _mediator2.default.trigger(this.instanceId + ':complete'); - }; + if (levelDetails && levelDetails.live) { + level.details = undefined; + } + }); + } // speed up live playlist refresh if timer exists - HLSEvents.prototype.error = function error(code, url, message) { - _mediator2.default.trigger(this.instanceId + ':error', code, url, message); - }; - HLSEvents.prototype.manifest = function manifest(duration, loadmetrics) { - _mediator2.default.trigger(this.instanceId + ':manifestloaded', duration, loadmetrics); - }; + if (this.timer !== null) { + this.loadLevel(); + } + }; - HLSEvents.prototype.audioLevelLoaded = function audioLevelLoaded(loadmetrics) { - _mediator2.default.trigger(this.instanceId + ':audiolevelloaded', loadmetrics); - }; + _proto.stopLoad = function stopLoad() { + this.canload = false; + }; - HLSEvents.prototype.levelLoaded = function levelLoaded(loadmetrics) { - _mediator2.default.trigger(this.instanceId + ':levelloaded', loadmetrics); - }; + _proto.onManifestLoaded = function onManifestLoaded(data) { + var levels = []; + var audioTracks = []; + var bitrateStart; + var levelSet = {}; + var levelFromSet = null; + var videoCodecFound = false; + var audioCodecFound = false; // regroup redundant levels together + + data.levels.forEach(function (level) { + var attributes = level.attrs; + level.loadError = 0; + level.fragmentError = false; + videoCodecFound = videoCodecFound || !!level.videoCodec; + audioCodecFound = audioCodecFound || !!level.audioCodec; // erase audio codec info if browser does not support mp4a.40.34. + // demuxer will autodetect codec and fallback to mpeg/audio + + if (chromeOrFirefox && level.audioCodec && level.audioCodec.indexOf('mp4a.40.34') !== -1) { + level.audioCodec = undefined; + } - HLSEvents.prototype.levelEndlist = function levelEndlist(level) { - _mediator2.default.trigger(this.instanceId + ':levelendlist', level); - }; + levelFromSet = levelSet[level.bitrate]; // FIXME: we would also have to match the resolution here - HLSEvents.prototype.fragmentLoaded = function fragmentLoaded(loadmetrics) { - _mediator2.default.trigger(this.instanceId + ':fragmentloaded', loadmetrics); - }; + if (!levelFromSet) { + level.url = [level.url]; + level.urlId = 0; + levelSet[level.bitrate] = level; + levels.push(level); + } else { + levelFromSet.url.push(level.url); + } - HLSEvents.prototype.fragmentPlaying = function fragmentPlaying(playmetrics) { - _mediator2.default.trigger(this.instanceId + ':fragmentplaying', playmetrics); - }; + if (attributes) { + if (attributes.AUDIO) { + audioCodecFound = true; + addGroupId(levelFromSet || level, 'audio', attributes.AUDIO); + } - HLSEvents.prototype.position = function position(timemetrics) { - _mediator2.default.trigger(this.instanceId + ':timeupdate', timemetrics); - }; + if (attributes.SUBTITLES) { + addGroupId(levelFromSet || level, 'text', attributes.SUBTITLES); + } + } + }); // remove audio-only level if we also have levels with audio+video codecs signalled - HLSEvents.prototype.state = function state(newState) { - _mediator2.default.trigger(this.instanceId + ':playbackstate', newState); - }; + if (videoCodecFound && audioCodecFound) { + levels = levels.filter(function (_ref) { + var videoCodec = _ref.videoCodec; + return !!videoCodec; + }); + } // only keep levels with supported audio/video codecs - HLSEvents.prototype.seekState = function seekState(newState) { - _mediator2.default.trigger(this.instanceId + ':seekstate', newState); - }; - HLSEvents.prototype.switch = function _switch(newLevel) { - _mediator2.default.trigger(this.instanceId + ':levelchanged', newLevel); - }; + levels = levels.filter(function (_ref2) { + var audioCodec = _ref2.audioCodec, + videoCodec = _ref2.videoCodec; + return (!audioCodec || isCodecSupportedInMp4(audioCodec, 'audio')) && (!videoCodec || isCodecSupportedInMp4(videoCodec, 'video')); + }); - HLSEvents.prototype.audioTracksListChange = function audioTracksListChange(trackList) { - _mediator2.default.trigger(this.instanceId + ':audiotracklistchanged', trackList); - }; + if (data.audioTracks) { + audioTracks = data.audioTracks.filter(function (track) { + return !track.audioCodec || isCodecSupportedInMp4(track.audioCodec, 'audio'); + }); // Reassign id's after filtering since they're used as array indices - HLSEvents.prototype.audioTrackChange = function audioTrackChange(trackId) { - _mediator2.default.trigger(this.instanceId + ':audiotrackchanged', trackId); - }; + audioTracks.forEach(function (track, index) { + track.id = index; + }); + } - return HLSEvents; - }(); + if (levels.length > 0) { + // start bitrate is the first bitrate of the manifest + bitrateStart = levels[0].bitrate; // sort level on bitrate - exports.default = HLSEvents; - module.exports = exports['default']; + levels.sort(function (a, b) { + return a.bitrate - b.bitrate; + }); + this._levels = levels; // find index of first level in sorted levels - /***/ }), - /* 185 */ - /***/ (function(module, exports) { + for (var i = 0; i < levels.length; i++) { + if (levels[i].bitrate === bitrateStart) { + this._firstLevel = i; + logger["logger"].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 + + + this.hls.trigger(events["default"].MANIFEST_PARSED, { + levels: levels, + audioTracks: audioTracks, + firstLevel: this._firstLevel, + stats: data.stats, + audio: audioCodecFound, + video: videoCodecFound, + altAudio: audioTracks.some(function (t) { + return !!t.url; + }) + }); + } else { + this.hls.trigger(events["default"].ERROR, { + type: errors["ErrorTypes"].MEDIA_ERROR, + details: errors["ErrorDetails"].MANIFEST_INCOMPATIBLE_CODECS_ERROR, + fatal: true, + url: this.hls.url, + reason: 'no level with compatible codecs found in manifest' + }); + } + }; - module.exports = "<%=baseUrl%>/8fa12a459188502b9f0d39b8a67d9e6c.swf"; + _proto.setLevelInternal = function setLevelInternal(newLevel) { + var levels = this._levels; + var hls = this.hls; // check if level idx is valid - /***/ }), - /* 186 */ - /***/ (function(module, exports, __webpack_require__) { + if (newLevel >= 0 && newLevel < levels.length) { + // stopping live reloading timer if any + this.clearTimer(); - "use strict"; + if (this.currentLevelIndex !== newLevel) { + logger["logger"].log("switching to level " + newLevel); + this.currentLevelIndex = newLevel; + var levelProperties = levels[newLevel]; + levelProperties.level = newLevel; + hls.trigger(events["default"].LEVEL_SWITCHING, levelProperties); + } + var level = levels[newLevel]; + var levelDetails = level.details; // check if we need to load playlist for this level + + if (!levelDetails || levelDetails.live) { + // level not retrieved yet, or live playlist we need to (re)load it + var urlId = level.urlId; + hls.trigger(events["default"].LEVEL_LOADING, { + url: level.url[urlId], + level: newLevel, + id: urlId + }); + } + } else { + // invalid level id given, trigger error + hls.trigger(events["default"].ERROR, { + type: errors["ErrorTypes"].OTHER_ERROR, + details: errors["ErrorDetails"].LEVEL_SWITCH_ERROR, + level: newLevel, + fatal: false, + reason: 'invalid level idx' + }); + } + }; - Object.defineProperty(exports, "__esModule", { - value: true - }); + _proto.onError = function onError(data) { + if (data.fatal) { + if (data.type === errors["ErrorTypes"].NETWORK_ERROR) { + this.clearTimer(); + } - var _toConsumableArray2 = __webpack_require__(61); + return; + } - var _toConsumableArray3 = _interopRequireDefault(_toConsumableArray2); + var levelError = false, + fragmentError = false; + var levelIndex; // try to recover not fatal errors + + switch (data.details) { + case errors["ErrorDetails"].FRAG_LOAD_ERROR: + case errors["ErrorDetails"].FRAG_LOAD_TIMEOUT: + case errors["ErrorDetails"].KEY_LOAD_ERROR: + case errors["ErrorDetails"].KEY_LOAD_TIMEOUT: + levelIndex = data.frag.level; + fragmentError = true; + break; - var _stringify = __webpack_require__(88); + case errors["ErrorDetails"].LEVEL_LOAD_ERROR: + case errors["ErrorDetails"].LEVEL_LOAD_TIMEOUT: + levelIndex = data.context.level; + levelError = true; + break; - var _stringify2 = _interopRequireDefault(_stringify); + case errors["ErrorDetails"].REMUX_ALLOC_ERROR: + levelIndex = data.level; + levelError = true; + break; + } - var _classCallCheck2 = __webpack_require__(0); + if (levelIndex !== undefined) { + this.recoverLevel(data, levelIndex, levelError, fragmentError); + } + } + /** + * Switch to a redundant stream if any available. + * If redundant stream is not available, emergency switch down if ABR mode is enabled. + * + * @param {Object} errorEvent + * @param {Number} levelIndex current level index + * @param {Boolean} levelError + * @param {Boolean} fragmentError + */ + // FIXME Find a better abstraction where fragment/level retry management is well decoupled + ; + + _proto.recoverLevel = function recoverLevel(errorEvent, levelIndex, levelError, fragmentError) { + var _this2 = this; + + var config = this.hls.config; + var errorDetails = errorEvent.details; + var level = this._levels[levelIndex]; + var redundantLevels, delay, nextLevel; + level.loadError++; + level.fragmentError = fragmentError; + + if (levelError) { + if (this.levelRetryCount + 1 <= config.levelLoadingMaxRetry) { + // exponential backoff capped to max retry timeout + delay = Math.min(Math.pow(2, this.levelRetryCount) * config.levelLoadingRetryDelay, config.levelLoadingMaxRetryTimeout); // Schedule level reload + + this.timer = setTimeout(function () { + return _this2.loadLevel(); + }, delay); // boolean used to inform stream controller not to switch back to IDLE on non fatal error + + errorEvent.levelRetry = true; + this.levelRetryCount++; + logger["logger"].warn("level controller, " + errorDetails + ", retry in " + delay + " ms, current retry count is " + this.levelRetryCount); + } else { + logger["logger"].error("level controller, cannot recover from " + errorDetails + " error"); + this.currentLevelIndex = null; // stopping live reloading timer if any - var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + this.clearTimer(); // switch error to fatal - var _possibleConstructorReturn2 = __webpack_require__(1); + errorEvent.fatal = true; + return; + } + } // Try any redundant streams if available for both errors: level and fragment + // If level.loadError reaches redundantLevels it means that we tried them all, no hope => let's switch down - var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); - var _createClass2 = __webpack_require__(3); + if (levelError || fragmentError) { + redundantLevels = level.url.length; - var _createClass3 = _interopRequireDefault(_createClass2); + if (redundantLevels > 1 && level.loadError < redundantLevels) { + level.urlId = (level.urlId + 1) % redundantLevels; + level.details = undefined; + logger["logger"].warn("level controller, " + errorDetails + " for level " + levelIndex + ": switching to redundant URL-id " + level.urlId); // console.log('Current audio track group ID:', this.hls.audioTracks[this.hls.audioTrack].groupId); + // console.log('New video quality level audio group id:', level.attrs.AUDIO); + } else { + // Search for available level + if (this.manualLevelIndex === -1) { + // When lowest level has been reached, let's start hunt from the top + nextLevel = levelIndex === 0 ? this._levels.length - 1 : levelIndex - 1; + logger["logger"].warn("level controller, " + errorDetails + ": switch to " + nextLevel); + this.hls.nextAutoLevel = this.currentLevelIndex = nextLevel; + } else if (fragmentError) { + // Allow fragment retry as long as configuration allows. + // reset this._level so that another call to set level() will trigger again a frag load + logger["logger"].warn("level controller, " + errorDetails + ": reload a fragment"); + this.currentLevelIndex = null; + } + } + } + } // reset errors on the successful load of a fragment + ; - var _inherits2 = __webpack_require__(2); + _proto.onFragLoaded = function onFragLoaded(_ref3) { + var frag = _ref3.frag; - var _inherits3 = _interopRequireDefault(_inherits2); + if (frag !== undefined && frag.type === 'main') { + var level = this._levels[frag.level]; - var _html5_video = __webpack_require__(41); + if (level !== undefined) { + level.fragmentError = false; + level.loadError = 0; + this.levelRetryCount = 0; + } + } + }; - var _html5_video2 = _interopRequireDefault(_html5_video); + _proto.onLevelLoaded = function onLevelLoaded(data) { + var _this3 = this; - var _hls = __webpack_require__(188); + var level = data.level, + details = data.details; // only process level loaded events matching with expected level - var _hls2 = _interopRequireDefault(_hls); + if (level !== this.currentLevelIndex) { + return; + } - var _events = __webpack_require__(4); + var curLevel = this._levels[level]; // reset level load error counter on successful level loaded only if there is no issues with fragments - var _events2 = _interopRequireDefault(_events); + if (!curLevel.fragmentError) { + curLevel.loadError = 0; + this.levelRetryCount = 0; + } // if current playlist is a live playlist, arm a timer to reload it - var _playback = __webpack_require__(10); - var _playback2 = _interopRequireDefault(_playback); + if (details.live) { + var reloadInterval = computeReloadInterval(curLevel.details, details, data.stats.trequest); + logger["logger"].log("live playlist, reload in " + Math.round(reloadInterval) + " ms"); + this.timer = setTimeout(function () { + return _this3.loadLevel(); + }, reloadInterval); + } else { + this.clearTimer(); + } + }; - var _utils = __webpack_require__(5); + _proto.onAudioTrackSwitched = function onAudioTrackSwitched(data) { + var audioGroupId = this.hls.audioTracks[data.id].groupId; + var currentLevel = this.hls.levels[this.currentLevelIndex]; - var _log = __webpack_require__(29); + if (!currentLevel) { + return; + } - var _log2 = _interopRequireDefault(_log); + if (currentLevel.audioGroupIds) { + var urlId = -1; - var _error = __webpack_require__(24); + for (var i = 0; i < currentLevel.audioGroupIds.length; i++) { + if (currentLevel.audioGroupIds[i] === audioGroupId) { + urlId = i; + break; + } + } - var _error2 = _interopRequireDefault(_error); + if (urlId !== currentLevel.urlId) { + currentLevel.urlId = urlId; + this.startLoad(); + } + } + }; - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + _proto.loadLevel = function loadLevel() { + logger["logger"].debug('call to loadLevel'); - var AUTO = -1; // Copyright 2014 Globo.com Player authors. All rights reserved. -// Use of this source code is governed by a BSD-style -// license that can be found in the LICENSE file. + if (this.currentLevelIndex !== null && this.canload) { + var levelObject = this._levels[this.currentLevelIndex]; - var HLS = function (_HTML5VideoPlayback) { - (0, _inherits3.default)(HLS, _HTML5VideoPlayback); - (0, _createClass3.default)(HLS, [{ - key: 'name', - get: function get() { - return 'hls'; - } - }, { - key: 'levels', - get: function get() { - return this._levels || []; - } - }, { - key: 'currentLevel', - get: function get() { - if (this._currentLevel === null || this._currentLevel === undefined) return AUTO;else return this._currentLevel; //0 is a valid level ID - }, - set: function set(id) { - this._currentLevel = id; - this.trigger(_events2.default.PLAYBACK_LEVEL_SWITCH_START); - if (this.options.hlsUseNextLevel) this._hls.nextLevel = this._currentLevel;else this._hls.currentLevel = this._currentLevel; - } - }, { - key: 'isReady', - get: function get() { - return this._isReadyState; - } - }, { - key: '_startTime', - get: function get() { - if (this._playbackType === _playback2.default.LIVE && this._playlistType !== 'EVENT') return this._extrapolatedStartTime; + if (typeof levelObject === 'object' && levelObject.url.length > 0) { + var level = this.currentLevelIndex; + var id = levelObject.urlId; + var url = levelObject.url[id]; + logger["logger"].log("Attempt loading level index " + level + " with URL-id " + id); // 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); - return this._playableRegionStartTime; - } - }, { - key: '_now', - get: function get() { - return (0, _utils.now)(); - } + this.hls.trigger(events["default"].LEVEL_LOADING, { + url: url, + level: level, + id: id + }); + } + } + }; - // the time in the video element which should represent the start of the sliding window - // extrapolated to increase in real time (instead of jumping as the early segments are removed) + level_controller_createClass(LevelController, [{ + key: "levels", + get: function get() { + return this._levels; + } + }, { + key: "level", + get: function get() { + return this.currentLevelIndex; + }, + set: function set(newLevel) { + var levels = this._levels; + + if (levels) { + newLevel = Math.min(newLevel, levels.length - 1); + + if (this.currentLevelIndex !== newLevel || !levels[newLevel].details) { + this.setLevelInternal(newLevel); + } + } + } + }, { + key: "manualLevel", + get: function get() { + return this.manualLevelIndex; + }, + set: function set(newLevel) { + this.manualLevelIndex = newLevel; + + if (this._startLevel === undefined) { + this._startLevel = newLevel; + } - }, { - key: '_extrapolatedStartTime', - get: function get() { - if (!this._localStartTimeCorrelation) return this._playableRegionStartTime; - - var corr = this._localStartTimeCorrelation; - var timePassed = this._now - corr.local; - var extrapolatedWindowStartTime = (corr.remote + timePassed) / 1000; - // cap at the end of the extrapolated window duration - return Math.min(extrapolatedWindowStartTime, this._playableRegionStartTime + this._extrapolatedWindowDuration); - } + 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; - // the time in the video element which should represent the end of the content - // extrapolated to increase in real time (instead of jumping as segments are added) + if (this.manualLevelIndex === -1) { + this.hls.nextAutoLevel = nextLevel; + } + } + }]); - }, { - key: '_extrapolatedEndTime', - get: function get() { - var actualEndTime = this._playableRegionStartTime + this._playableRegionDuration; - if (!this._localEndTimeCorrelation) return actualEndTime; - - var corr = this._localEndTimeCorrelation; - var timePassed = this._now - corr.local; - var extrapolatedEndTime = (corr.remote + timePassed) / 1000; - return Math.max(actualEndTime - this._extrapolatedWindowDuration, Math.min(extrapolatedEndTime, actualEndTime)); - } - }, { - key: '_duration', - get: function get() { - return this._extrapolatedEndTime - this._startTime; - } + return LevelController; + }(event_handler); - // Returns the duration (seconds) of the window that the extrapolated start time is allowed - // to move in before being capped. - // The extrapolated start time should never reach the cap at the end of the window as the - // window should slide as chunks are removed from the start. - // This also applies to the extrapolated end time in the same way. - // - // If chunks aren't being removed for some reason that the start time will reach and remain fixed at - // playableRegionStartTime + extrapolatedWindowDuration - // - // <-- window duration --> - // I.e playableRegionStartTime |-----------------------| - // | --> . . . - // . --> | --> . . - // . . --> | --> . - // . . . --> | - // . . . . - // extrapolatedStartTime - }, { - key: '_extrapolatedWindowDuration', - get: function get() { - if (this._segmentTargetDuration === null) return 0; +// EXTERNAL MODULE: ./src/demux/id3.js + var id3 = __webpack_require__("./src/demux/id3.js"); - return this._extrapolatedWindowNumSegments * this._segmentTargetDuration; - } - }], [{ - key: 'HLSJS', - get: function get() { - return _hls2.default; - } - }]); +// CONCATENATED MODULE: ./src/utils/texttrack-utils.ts + function sendAddTrackEvent(track, videoEl) { + var event; - function HLS() { - (0, _classCallCheck3.default)(this, HLS); + try { + event = new Event('addtrack'); + } catch (err) { + // for IE11 + event = document.createEvent('Event'); + event.initEvent('addtrack', false, false); + } - for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) { - args[_key] = arguments[_key]; - } + event.track = track; + videoEl.dispatchEvent(event); + } + function clearCurrentCues(track) { + if (track && track.cues) { + while (track.cues.length > 0) { + track.removeCue(track.cues[0]); + } + } + } + /** + * Given a list of Cues, finds the closest cue matching the given time. + * Modified verison of binary search O(log(n)). + * + * @export + * @param {(TextTrackCueList | TextTrackCue[])} cues - List of cues. + * @param {number} time - Target time, to find closest cue to. + * @returns {TextTrackCue} + */ - // backwards compatibility (TODO: remove on 0.3.0) - var _this = (0, _possibleConstructorReturn3.default)(this, _HTML5VideoPlayback.call.apply(_HTML5VideoPlayback, [this].concat(args))); - - _this.options.playback || (_this.options.playback = _this.options); - _this._minDvrSize = typeof _this.options.hlsMinimumDvrSize === 'undefined' ? 60 : _this.options.hlsMinimumDvrSize; - // The size of the start time extrapolation window measured as a multiple of segments. - // Should be 2 or higher, or 0 to disable. Should only need to be increased above 2 if more than one segment is - // removed from the start of the playlist at a time. E.g if the playlist is cached for 10 seconds and new chunks are - // added/removed every 5. - _this._extrapolatedWindowNumSegments = !_this.options.playback || typeof _this.options.playback.extrapolatedWindowNumSegments === 'undefined' ? 2 : _this.options.playback.extrapolatedWindowNumSegments; - - _this._playbackType = _playback2.default.VOD; - _this._lastTimeUpdate = { current: 0, total: 0 }; - _this._lastDuration = null; - // for hls streams which have dvr with a sliding window, - // the content at the start of the playlist is removed as new - // content is appended at the end. - // this means the actual playable start time will increase as the - // start content is deleted - // For streams with dvr where the entire recording is kept from the - // beginning this should stay as 0 - _this._playableRegionStartTime = 0; - // {local, remote} remote is the time in the video element that should represent 0 - // local is the system time when the 'remote' measurment took place - _this._localStartTimeCorrelation = null; - // {local, remote} remote is the time in the video element that should represents the end - // local is the system time when the 'remote' measurment took place - _this._localEndTimeCorrelation = null; - // if content is removed from the beginning then this empty area should - // be ignored. "playableRegionDuration" excludes the empty area - _this._playableRegionDuration = 0; - // #EXT-X-PROGRAM-DATE-TIME - _this._programDateTime = 0; - // true when the actual duration is longer than hlsjs's live sync point - // when this is false playableRegionDuration will be the actual duration - // when this is true playableRegionDuration will exclude the time after the sync point - _this._durationExcludesAfterLiveSyncPoint = false; - // #EXT-X-TARGETDURATION - _this._segmentTargetDuration = null; - // #EXT-X-PLAYLIST-TYPE - _this._playlistType = null; - _this._recoverAttemptsRemaining = _this.options.hlsRecoverAttempts || 16; - return _this; - } + function getClosestCue(cues, time) { + // If the offset is less than the first element, the first element is the closest. + if (time < cues[0].endTime) { + return cues[0]; + } // If the offset is greater than the last cue, the last is the closest. - HLS.prototype._setup = function _setup() { - var _this2 = this; - this._ccIsSetup = false; - this._ccTracksUpdated = false; - this._hls = new _hls2.default((0, _utils.assign)({}, this.options.playback.hlsjsConfig)); - this._hls.on(_hls2.default.Events.MEDIA_ATTACHED, function () { - return _this2._hls.loadSource(_this2.options.src); - }); - this._hls.on(_hls2.default.Events.LEVEL_LOADED, function (evt, data) { - return _this2._updatePlaybackType(evt, data); - }); - this._hls.on(_hls2.default.Events.LEVEL_UPDATED, function (evt, data) { - return _this2._onLevelUpdated(evt, data); - }); - this._hls.on(_hls2.default.Events.LEVEL_SWITCHING, function (evt, data) { - return _this2._onLevelSwitch(evt, data); - }); - this._hls.on(_hls2.default.Events.FRAG_LOADED, function (evt, data) { - return _this2._onFragmentLoaded(evt, data); - }); - this._hls.on(_hls2.default.Events.ERROR, function (evt, data) { - return _this2._onHLSJSError(evt, data); - }); - this._hls.on(_hls2.default.Events.SUBTITLE_TRACK_LOADED, function (evt, data) { - return _this2._onSubtitleLoaded(evt, data); - }); - this._hls.on(_hls2.default.Events.SUBTITLE_TRACKS_UPDATED, function () { - return _this2._ccTracksUpdated = true; - }); - this._hls.attachMedia(this.el); - }; + if (time > cues[cues.length - 1].endTime) { + return cues[cues.length - 1]; + } - HLS.prototype.render = function render() { - this._ready(); - return _HTML5VideoPlayback.prototype.render.call(this); - }; + var left = 0; + var right = cues.length - 1; - HLS.prototype._ready = function _ready() { - this._isReadyState = true; - this.trigger(_events2.default.PLAYBACK_READY, this.name); - }; + while (left <= right) { + var mid = Math.floor((right + left) / 2); - HLS.prototype._recover = function _recover(evt, data, error) { - if (!this._recoveredDecodingError) { - this._recoveredDecodingError = true; - this._hls.recoverMediaError(); - } else if (!this._recoveredAudioCodecError) { - this._recoveredAudioCodecError = true; - this._hls.swapAudioCodec(); - this._hls.recoverMediaError(); - } else { - _log2.default.error('hlsjs: failed to recover', { evt: evt, data: data }); - error.level = _error2.default.Levels.FATAL; - var formattedError = this.createError(error); - this.trigger(_events2.default.PLAYBACK_ERROR, formattedError); - this.stop(); - } - }; + if (time < cues[mid].endTime) { + right = mid - 1; + } else if (time > cues[mid].endTime) { + left = mid + 1; + } else { + // If it's not lower or higher, it must be equal. + return cues[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. - // override + return cues[left].endTime - time < time - cues[right].endTime ? cues[left] : cues[right]; + } +// CONCATENATED MODULE: ./src/controller/id3-track-controller.js + function id3_track_controller_inheritsLoose(subClass, superClass) { subClass.prototype = Object.create(superClass.prototype); subClass.prototype.constructor = subClass; subClass.__proto__ = superClass; } - HLS.prototype._setupSrc = function _setupSrc(srcUrl) {// eslint-disable-line no-unused-vars - // this playback manages the src on the video element itself - }; + /* + * id3 metadata track controller +*/ - HLS.prototype._startTimeUpdateTimer = function _startTimeUpdateTimer() { - var _this3 = this; - this._timeUpdateTimer = setInterval(function () { - _this3._onDurationChange(); - _this3._onTimeUpdate(); - }, 100); - }; - HLS.prototype._stopTimeUpdateTimer = function _stopTimeUpdateTimer() { - clearInterval(this._timeUpdateTimer); - }; - HLS.prototype.getProgramDateTime = function getProgramDateTime() { - return this._programDateTime; - }; - // the duration on the video element itself should not be used - // as this does not necesarily represent the duration of the stream - // https://github.com/clappr/clappr/issues/668#issuecomment-157036678 - HLS.prototype.getDuration = function getDuration() { - return this._duration; - }; + var id3_track_controller_ID3TrackController = + /*#__PURE__*/ + function (_EventHandler) { + id3_track_controller_inheritsLoose(ID3TrackController, _EventHandler); - HLS.prototype.getCurrentTime = function getCurrentTime() { - // e.g. can be < 0 if user pauses near the start - // eventually they will then be kicked to the end by hlsjs if they run out of buffer - // before the official start time - return Math.max(0, this.el.currentTime - this._startTime); - }; + function ID3TrackController(hls) { + var _this; - // the time that "0" now represents relative to when playback started - // for a stream with a sliding window this will increase as content is - // removed from the beginning + _this = _EventHandler.call(this, hls, events["default"].MEDIA_ATTACHED, events["default"].MEDIA_DETACHING, events["default"].FRAG_PARSING_METADATA, events["default"].LIVE_BACK_BUFFER_REACHED) || this; + _this.id3Track = undefined; + _this.media = undefined; + return _this; + } + var _proto = ID3TrackController.prototype; - HLS.prototype.getStartTimeOffset = function getStartTimeOffset() { - return this._startTime; - }; + _proto.destroy = function destroy() { + event_handler.prototype.destroy.call(this); + } // Add ID3 metatadata text track. + ; - HLS.prototype.seekPercentage = function seekPercentage(percentage) { - var seekTo = this._duration; - if (percentage > 0) seekTo = this._duration * (percentage / 100); + _proto.onMediaAttached = function onMediaAttached(data) { + this.media = data.media; - this.seek(seekTo); - }; + if (!this.media) {} + }; - HLS.prototype.seek = function seek(time) { - if (time < 0) { - _log2.default.warn('Attempt to seek to a negative time. Resetting to live point. Use seekToLivePoint() to seek to the live point.'); - time = this.getDuration(); - } - // assume live if time within 3 seconds of end of stream - this.dvrEnabled && this._updateDvr(time < this.getDuration() - 3); - time += this._startTime; - _HTML5VideoPlayback.prototype.seek.call(this, time); - }; + _proto.onMediaDetaching = function onMediaDetaching() { + clearCurrentCues(this.id3Track); + this.id3Track = undefined; + this.media = undefined; + }; - HLS.prototype.seekToLivePoint = function seekToLivePoint() { - this.seek(this.getDuration()); - }; + _proto.getID3Track = function getID3Track(textTracks) { + for (var i = 0; i < textTracks.length; i++) { + var textTrack = textTracks[i]; - HLS.prototype._updateDvr = function _updateDvr(status) { - this.trigger(_events2.default.PLAYBACK_DVR, status); - this.trigger(_events2.default.PLAYBACK_STATS_ADD, { 'dvr': status }); - }; + if (textTrack.kind === 'metadata' && textTrack.label === 'id3') { + // send 'addtrack' when reusing the textTrack for metadata, + // same as what we do for captions + sendAddTrackEvent(textTrack, this.media); + return textTrack; + } + } - HLS.prototype._updateSettings = function _updateSettings() { - if (this._playbackType === _playback2.default.VOD) this.settings.left = ['playpause', 'position', 'duration'];else if (this.dvrEnabled) this.settings.left = ['playpause'];else this.settings.left = ['playstop']; + return this.media.addTextTrack('metadata', 'id3'); + }; - this.settings.seekEnabled = this.isSeekEnabled(); - this.trigger(_events2.default.PLAYBACK_SETTINGSUPDATE); - }; + _proto.onFragParsingMetadata = function onFragParsingMetadata(data) { + var fragment = data.frag; + var samples = data.samples; // create track dynamically - HLS.prototype._onHLSJSError = function _onHLSJSError(evt, data) { - var error = { - code: data.type + '_' + data.details, - description: this.name + ' error: type: ' + data.type + ', details: ' + data.details, - raw: data - }; - var formattedError = void 0; - if (data.response) error.description += ', response: ' + (0, _stringify2.default)(data.response); - // only report/handle errors if they are fatal - // hlsjs should automatically handle non fatal errors - if (data.fatal) { - if (this._recoverAttemptsRemaining > 0) { - this._recoverAttemptsRemaining -= 1; - switch (data.type) { - case _hls2.default.ErrorTypes.NETWORK_ERROR: - switch (data.details) { - // The following network errors cannot be recovered with HLS.startLoad() - // For more details, see https://github.com/video-dev/hls.js/blob/master/doc/design.md#error-detection-and-handling - // For "level load" fatal errors, see https://github.com/video-dev/hls.js/issues/1138 - case _hls2.default.ErrorDetails.MANIFEST_LOAD_ERROR: - case _hls2.default.ErrorDetails.MANIFEST_LOAD_TIMEOUT: - case _hls2.default.ErrorDetails.MANIFEST_PARSING_ERROR: - case _hls2.default.ErrorDetails.LEVEL_LOAD_ERROR: - case _hls2.default.ErrorDetails.LEVEL_LOAD_TIMEOUT: - _log2.default.error('hlsjs: unrecoverable network fatal error.', { evt: evt, data: data }); - formattedError = this.createError(error); - this.trigger(_events2.default.PLAYBACK_ERROR, formattedError); - this.stop(); - break; - default: - _log2.default.warn('hlsjs: trying to recover from network error.', { evt: evt, data: data }); - error.level = _error2.default.Levels.WARN; - this.createError(error); - this._hls.startLoad(); - break; - } - break; - case _hls2.default.ErrorTypes.MEDIA_ERROR: - _log2.default.warn('hlsjs: trying to recover from media error.', { evt: evt, data: data }); - error.level = _error2.default.Levels.WARN; - this.createError(error); - this._recover(evt, data, error); - break; - default: - _log2.default.error('hlsjs: could not recover from error.', { evt: evt, data: data }); - formattedError = this.createError(error); - this.trigger(_events2.default.PLAYBACK_ERROR, formattedError); - this.stop(); - break; - } - } else { - _log2.default.error('hlsjs: could not recover from error after maximum number of attempts.', { evt: evt, data: data }); - formattedError = this.createError(error); - this.trigger(_events2.default.PLAYBACK_ERROR, formattedError); - this.stop(); - } - } else { - error.level = _error2.default.Levels.WARN; - this.createError(error); - _log2.default.warn('hlsjs: non-fatal error occurred', { evt: evt, data: data }); - } - }; + 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 - HLS.prototype._onTimeUpdate = function _onTimeUpdate() { - var update = { current: this.getCurrentTime(), total: this.getDuration(), firstFragDateTime: this.getProgramDateTime() }; - var isSame = this._lastTimeUpdate && update.current === this._lastTimeUpdate.current && update.total === this._lastTimeUpdate.total; - if (isSame) return; - this._lastTimeUpdate = update; - this.trigger(_events2.default.PLAYBACK_TIMEUPDATE, update, this.name); - }; + var Cue = window.WebKitDataCue || window.VTTCue || window.TextTrackCue; - HLS.prototype._onDurationChange = function _onDurationChange() { - var duration = this.getDuration(); - if (this._lastDuration === duration) return; + for (var i = 0; i < samples.length; i++) { + var frames = id3["default"].getID3Frames(samples[i].data); - this._lastDuration = duration; - _HTML5VideoPlayback.prototype._onDurationChange.call(this); - }; + if (frames) { + var startTime = samples[i].pts; + var endTime = i < samples.length - 1 ? samples[i + 1].pts : fragment.endPTS; - HLS.prototype._onProgress = function _onProgress() { - if (!this.el.buffered.length) return; + if (startTime === endTime) { + // Give a slight bump to the endTime if it's equal to startTime to avoid a SyntaxError in IE + endTime += 0.0001; + } else if (startTime > endTime) { + logger["logger"].warn('detected an id3 sample with endTime < startTime, adjusting endTime to (startTime + 0.25)'); + endTime = startTime + 0.25; + } - var buffered = []; - var bufferedPos = 0; - for (var i = 0; i < this.el.buffered.length; i++) { - buffered = [].concat((0, _toConsumableArray3.default)(buffered), [{ - // for a stream with sliding window dvr something that is buffered my slide off the start of the timeline - start: Math.max(0, this.el.buffered.start(i) - this._playableRegionStartTime), - end: Math.max(0, this.el.buffered.end(i) - this._playableRegionStartTime) - }]); - if (this.el.currentTime >= buffered[i].start && this.el.currentTime <= buffered[i].end) bufferedPos = i; - } - var progress = { - start: buffered[bufferedPos].start, - current: buffered[bufferedPos].end, - total: this.getDuration() - }; - this.trigger(_events2.default.PLAYBACK_PROGRESS, progress, buffered); - }; + for (var j = 0; j < frames.length; j++) { + var frame = frames[j]; // Safari doesn't put the timestamp frame in the TextTrack - HLS.prototype.play = function play() { - if (!this._hls) this._setup(); + if (!id3["default"].isTimeStampFrame(frame)) { + var cue = new Cue(startTime, endTime, ''); + cue.value = frame; + this.id3Track.addCue(cue); + } + } + } + } + }; - _HTML5VideoPlayback.prototype.play.call(this); - this._startTimeUpdateTimer(); - }; + _proto.onLiveBackBufferReached = function onLiveBackBufferReached(_ref) { + var bufferEnd = _ref.bufferEnd; + var id3Track = this.id3Track; - HLS.prototype.pause = function pause() { - if (!this._hls) return; + if (!id3Track || !id3Track.cues || !id3Track.cues.length) { + return; + } - _HTML5VideoPlayback.prototype.pause.call(this); - if (this.dvrEnabled) this._updateDvr(true); - }; + var foundCue = getClosestCue(id3Track.cues, bufferEnd); - HLS.prototype.stop = function stop() { - if (this._hls) { - _HTML5VideoPlayback.prototype.stop.call(this); - this._hls.destroy(); - delete this._hls; - } - }; + if (!foundCue) { + return; + } - HLS.prototype.destroy = function destroy() { - this._stopTimeUpdateTimer(); - if (this._hls) { - this._hls.destroy(); - delete this._hls; - } - _HTML5VideoPlayback.prototype.destroy.call(this); - }; + while (id3Track.cues[0] !== foundCue) { + id3Track.removeCue(id3Track.cues[0]); + } + }; - HLS.prototype._updatePlaybackType = function _updatePlaybackType(evt, data) { - this._playbackType = data.details.live ? _playback2.default.LIVE : _playback2.default.VOD; - this._onLevelUpdated(evt, data); + return ID3TrackController; + }(event_handler); - // Live stream subtitle tracks detection hack (may not immediately available) - if (this._ccTracksUpdated && this._playbackType === _playback2.default.LIVE && this.hasClosedCaptionsTracks) this._onSubtitleLoaded(); - }; + /* harmony default export */ var id3_track_controller = (id3_track_controller_ID3TrackController); +// CONCATENATED MODULE: ./src/is-supported.ts - HLS.prototype._fillLevels = function _fillLevels() { - this._levels = this._hls.levels.map(function (level, index) { - return { id: index, level: level, label: level.bitrate / 1000 + 'Kbps' }; - }); - this.trigger(_events2.default.PLAYBACK_LEVELS_AVAILABLE, this._levels); - }; + function is_supported_isSupported() { + var mediaSource = getMediaSource(); - HLS.prototype._onLevelUpdated = function _onLevelUpdated(evt, data) { - this._segmentTargetDuration = data.details.targetduration; - this._playlistType = data.details.type || null; + if (!mediaSource) { + return false; + } - var startTimeChanged = false; - var durationChanged = false; - var fragments = data.details.fragments; - var previousPlayableRegionStartTime = this._playableRegionStartTime; - var previousPlayableRegionDuration = this._playableRegionDuration; + var sourceBuffer = self.SourceBuffer || self.WebKitSourceBuffer; + 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 - if (fragments.length === 0) return; + var sourceBufferValidAPI = !sourceBuffer || sourceBuffer.prototype && typeof sourceBuffer.prototype.appendBuffer === 'function' && typeof sourceBuffer.prototype.remove === 'function'; + return !!isTypeSupported && !!sourceBufferValidAPI; + } +// CONCATENATED MODULE: ./src/utils/ewma.ts + /* + * 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) { + this.alpha_ = void 0; + this.estimate_ = void 0; + this.totalWeight_ = void 0; + // Larger values of alpha expire historical data more slowly. + this.alpha_ = halfLife ? Math.exp(Math.log(0.5) / halfLife) : 0; + this.estimate_ = 0; + this.totalWeight_ = 0; + } - // #EXT-X-PROGRAM-DATE-TIME - if (fragments[0].rawProgramDateTime) this._programDateTime = fragments[0].rawProgramDateTime; + var _proto = EWMA.prototype; - if (this._playableRegionStartTime !== fragments[0].start) { - startTimeChanged = true; - this._playableRegionStartTime = fragments[0].start; - } + _proto.sample = function sample(weight, value) { + var adjAlpha = Math.pow(this.alpha_, weight); + this.estimate_ = value * (1 - adjAlpha) + adjAlpha * this.estimate_; + this.totalWeight_ += weight; + }; - if (startTimeChanged) { - if (!this._localStartTimeCorrelation) { - // set the correlation to map to middle of the extrapolation window - this._localStartTimeCorrelation = { - local: this._now, - remote: (fragments[0].start + this._extrapolatedWindowDuration / 2) * 1000 - }; - } else { - // check if the correlation still works - var corr = this._localStartTimeCorrelation; - var timePassed = this._now - corr.local; - // this should point to a time within the extrapolation window - var startTime = (corr.remote + timePassed) / 1000; - if (startTime < fragments[0].start) { - // our start time is now earlier than the first chunk - // (maybe the chunk was removed early) - // reset correlation so that it sits at the beginning of the first available chunk - this._localStartTimeCorrelation = { - local: this._now, - remote: fragments[0].start * 1000 - }; - } else if (startTime > previousPlayableRegionStartTime + this._extrapolatedWindowDuration) { - // start time was past the end of the old extrapolation window (so would have been capped) - // see if now that time would be inside the window, and if it would be set the correlation - // so that it resumes from the time it was at at the end of the old window - // update the correlation so that the time starts counting again from the value it's on now - this._localStartTimeCorrelation = { - local: this._now, - remote: Math.max(fragments[0].start, previousPlayableRegionStartTime + this._extrapolatedWindowDuration) * 1000 - }; - } - } - } + _proto.getTotalWeight = function getTotalWeight() { + return this.totalWeight_; + }; - var newDuration = data.details.totalduration; - // if it's a live stream then shorten the duration to remove access - // to the area after hlsjs's live sync point - // seeks to areas after this point sometimes have issues - if (this._playbackType === _playback2.default.LIVE) { - var fragmentTargetDuration = data.details.targetduration; - var hlsjsConfig = this.options.playback.hlsjsConfig || {}; - var liveSyncDurationCount = hlsjsConfig.liveSyncDurationCount || _hls2.default.DefaultConfig.liveSyncDurationCount; - var hiddenAreaDuration = fragmentTargetDuration * liveSyncDurationCount; - if (hiddenAreaDuration <= newDuration) { - newDuration -= hiddenAreaDuration; - this._durationExcludesAfterLiveSyncPoint = true; - } else { - this._durationExcludesAfterLiveSyncPoint = false; - } - } + _proto.getEstimate = function getEstimate() { + if (this.alpha_) { + var zeroFactor = 1 - Math.pow(this.alpha_, this.totalWeight_); + return this.estimate_ / zeroFactor; + } else { + return this.estimate_; + } + }; - if (newDuration !== this._playableRegionDuration) { - durationChanged = true; - this._playableRegionDuration = newDuration; - } + return EWMA; + }(); - // Note the end time is not the playableRegionDuration - // The end time will always increase even if content is removed from the beginning - var endTime = fragments[0].start + newDuration; - var previousEndTime = previousPlayableRegionStartTime + previousPlayableRegionDuration; - var endTimeChanged = endTime !== previousEndTime; - if (endTimeChanged) { - if (!this._localEndTimeCorrelation) { - // set the correlation to map to the end - this._localEndTimeCorrelation = { - local: this._now, - remote: endTime * 1000 - }; - } else { - // check if the correlation still works - var _corr = this._localEndTimeCorrelation; - var _timePassed = this._now - _corr.local; - // this should point to a time within the extrapolation window from the end - var extrapolatedEndTime = (_corr.remote + _timePassed) / 1000; - if (extrapolatedEndTime > endTime) { - this._localEndTimeCorrelation = { - local: this._now, - remote: endTime * 1000 - }; - } else if (extrapolatedEndTime < endTime - this._extrapolatedWindowDuration) { - // our extrapolated end time is now earlier than the extrapolation window from the actual end time - // (maybe a chunk became available early) - // reset correlation so that it sits at the beginning of the extrapolation window from the end time - this._localEndTimeCorrelation = { - local: this._now, - remote: (endTime - this._extrapolatedWindowDuration) * 1000 - }; - } else if (extrapolatedEndTime > previousEndTime) { - // end time was past the old end time (so would have been capped) - // set the correlation so that it resumes from the time it was at at the end of the old window - this._localEndTimeCorrelation = { - local: this._now, - remote: previousEndTime * 1000 - }; - } - } - } + /* harmony default export */ var ewma = (EWMA); +// CONCATENATED MODULE: ./src/utils/ewma-bandwidth-estimator.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. + */ - // now that the values have been updated call any methods that use on them so they get the updated values - // immediately - durationChanged && this._onDurationChange(); - startTimeChanged && this._onProgress(); - }; - HLS.prototype._onFragmentLoaded = function _onFragmentLoaded(evt, data) { - this.trigger(_events2.default.PLAYBACK_FRAGMENT_LOADED, data); - }; + var ewma_bandwidth_estimator_EwmaBandWidthEstimator = + /*#__PURE__*/ + function () { + // TODO(typescript-hls) + function EwmaBandWidthEstimator(hls, slow, fast, defaultEstimate) { + this.hls = void 0; + this.defaultEstimate_ = void 0; + this.minWeight_ = void 0; + this.minDelayMs_ = void 0; + this.slow_ = void 0; + this.fast_ = void 0; + this.hls = hls; + this.defaultEstimate_ = defaultEstimate; + this.minWeight_ = 0.001; + this.minDelayMs_ = 50; + this.slow_ = new ewma(slow); + this.fast_ = new ewma(fast); + } - HLS.prototype._onSubtitleLoaded = function _onSubtitleLoaded() { - // This event may be triggered multiple times - // Setup CC only once (disable CC by default) - if (!this._ccIsSetup) { - this.trigger(_events2.default.PLAYBACK_SUBTITLE_AVAILABLE); - var trackId = this._playbackType === _playback2.default.LIVE ? -1 : this.closedCaptionsTrackId; - this.closedCaptionsTrackId = trackId; - this._ccIsSetup = true; - } - }; + var _proto = EwmaBandWidthEstimator.prototype; + + _proto.sample = function sample(durationMs, numBytes) { + durationMs = Math.max(durationMs, this.minDelayMs_); + var numBits = 8 * numBytes, + // weight is duration in seconds + durationS = durationMs / 1000, + // value is bandwidth in bits/s + bandwidthInBps = numBits / durationS; + this.fast_.sample(durationS, bandwidthInBps); + this.slow_.sample(durationS, bandwidthInBps); + }; - HLS.prototype._onLevelSwitch = function _onLevelSwitch(evt, data) { - if (!this.levels.length) this._fillLevels(); - - this.trigger(_events2.default.PLAYBACK_LEVEL_SWITCH_END); - this.trigger(_events2.default.PLAYBACK_LEVEL_SWITCH, data); - var currentLevel = this._hls.levels[data.level]; - if (currentLevel) { - // TODO should highDefinition be private and maybe have a read only accessor if it's used somewhere - this.highDefinition = currentLevel.height >= 720 || currentLevel.bitrate / 1000 >= 2000; - this.trigger(_events2.default.PLAYBACK_HIGHDEFINITIONUPDATE, this.highDefinition); - this.trigger(_events2.default.PLAYBACK_BITRATE, { - height: currentLevel.height, - width: currentLevel.width, - bandwidth: currentLevel.bitrate, - bitrate: currentLevel.bitrate, - level: data.level - }); - } - }; + _proto.canEstimate = function canEstimate() { + var fast = this.fast_; + return fast && fast.getTotalWeight() >= this.minWeight_; + }; - HLS.prototype.getPlaybackType = function getPlaybackType() { - return this._playbackType; - }; + _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_; + } + }; - HLS.prototype.isSeekEnabled = function isSeekEnabled() { - return this._playbackType === _playback2.default.VOD || this.dvrEnabled; - }; + _proto.destroy = function destroy() {}; - (0, _createClass3.default)(HLS, [{ - key: 'dvrEnabled', - get: function get() { - // enabled when: - // - the duration does not include content after hlsjs's live sync point - // - the playable region duration is longer than the configured duration to enable dvr after - // - the playback type is LIVE. - return this._durationExcludesAfterLiveSyncPoint && this._duration >= this._minDvrSize && this.getPlaybackType() === _playback2.default.LIVE; - } - }]); - return HLS; - }(_html5_video2.default); - - exports.default = HLS; - - - HLS.canPlay = function (resource, mimeType) { - var resourceParts = resource.split('?')[0].match(/.*\.(.*)$/) || []; - var isHls = resourceParts.length > 1 && resourceParts[1].toLowerCase() === 'm3u8' || (0, _utils.listContainsIgnoreCase)(mimeType, ['application/vnd.apple.mpegurl', 'application/x-mpegURL']); - - return !!(_hls2.default.isSupported() && isHls); - }; - module.exports = exports['default']; - - /***/ }), - /* 187 */ - /***/ (function(module, exports, __webpack_require__) { - - var core = __webpack_require__(11) - , $JSON = core.JSON || (core.JSON = {stringify: JSON.stringify}); - module.exports = function stringify(it){ // eslint-disable-line no-unused-vars - return $JSON.stringify.apply($JSON, arguments); - }; - - /***/ }), - /* 188 */ - /***/ (function(module, exports, __webpack_require__) { - - typeof window !== "undefined" && - (function webpackUniversalModuleDefinition(root, factory) { - if(true) - 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, { - /******/ configurable: false, - /******/ enumerable: true, - /******/ get: getter - /******/ }); - /******/ } - /******/ }; - /******/ - /******/ // 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 = 11); - /******/ }) - /************************************************************************/ - /******/ ([ - /* 0 */ - /***/ (function(module, __webpack_exports__, __webpack_require__) { - - "use strict"; - /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return enableLogs; }); - /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return logger; }); - /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__get_self_scope__ = __webpack_require__(4); - var _typeof = typeof Symbol === "function" && typeof Symbol.iterator === "symbol" ? function (obj) { return typeof obj; } : function (obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; - - - - function noop() {} - - var fakeLogger = { - trace: noop, - debug: noop, - log: noop, - warn: noop, - info: noop, - error: noop - }; + return EwmaBandWidthEstimator; + }(); - var exportedLogger = fakeLogger; + /* harmony default export */ var ewma_bandwidth_estimator = (ewma_bandwidth_estimator_EwmaBandWidthEstimator); +// CONCATENATED MODULE: ./src/controller/abr-controller.js -// 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 formatMsg(type, msg) { - msg = '[' + type + '] > ' + msg; - return msg; - } - var global = Object(__WEBPACK_IMPORTED_MODULE_0__get_self_scope__["a" /* getSelfScope */])(); + function abr_controller_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 consolePrintFn(type) { - var func = global.console[type]; - if (func) { - return function () { - for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) { - args[_key] = arguments[_key]; - } + function abr_controller_createClass(Constructor, protoProps, staticProps) { if (protoProps) abr_controller_defineProperties(Constructor.prototype, protoProps); if (staticProps) abr_controller_defineProperties(Constructor, staticProps); return Constructor; } - if (args[0]) { - args[0] = formatMsg(type, args[0]); - } + function abr_controller_assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return self; } - func.apply(global.console, args); - }; - } - return noop; - } + function abr_controller_inheritsLoose(subClass, superClass) { subClass.prototype = Object.create(superClass.prototype); subClass.prototype.constructor = subClass; subClass.__proto__ = superClass; } - function exportLoggerFunctions(debugConfig) { - for (var _len2 = arguments.length, functions = Array(_len2 > 1 ? _len2 - 1 : 0), _key2 = 1; _key2 < _len2; _key2++) { - functions[_key2 - 1] = arguments[_key2]; - } + /* + * simple ABR Controller + * - compute next level based on last fragment bw heuristics + * - implement an abandon rules triggered if we have less than 2 frag buffered and if computed bw shows that we risk buffer stalling + */ - functions.forEach(function (type) { - exportedLogger[type] = debugConfig[type] ? debugConfig[type].bind(debugConfig) : consolePrintFn(type); - }); - } - var enableLogs = function enableLogs(debugConfig) { - if (debugConfig === true || (typeof debugConfig === 'undefined' ? 'undefined' : _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; - /***/ }), - /* 1 */ - /***/ (function(module, __webpack_exports__, __webpack_require__) { - "use strict"; - /** - * @readonly - * @enum {string} - */ - var HlsEvents = { - // fired before MediaSource is attaching to media element - data: { media } - MEDIA_ATTACHING: 'hlsMediaAttaching', - // fired when MediaSource has been succesfully attached to media element - data: { } - MEDIA_ATTACHED: 'hlsMediaAttached', - // fired before detaching MediaSource from media element - data: { } - MEDIA_DETACHING: 'hlsMediaDetaching', - // fired when MediaSource has been detached from media element - data: { } - MEDIA_DETACHED: 'hlsMediaDetached', - // fired when we buffer is going to be reset - data: { } - BUFFER_RESET: 'hlsBufferReset', - // fired when we know about the codecs that we need buffers for to push into - data: {tracks : { container, codec, levelCodec, initSegment, metadata }} - BUFFER_CODECS: 'hlsBufferCodecs', - // fired when sourcebuffers have been created - data: { tracks : tracks } - BUFFER_CREATED: 'hlsBufferCreated', - // fired when we append a segment to the buffer - data: { segment: segment object } - BUFFER_APPENDING: 'hlsBufferAppending', - // fired when we are done with appending a media segment to the buffer - data : { parent : segment parent that triggered BUFFER_APPENDING, pending : nb of segments waiting for appending for this segment parent} - BUFFER_APPENDED: 'hlsBufferAppended', - // fired when the stream is finished and we want to notify the media buffer that there will be no more data - data: { } - BUFFER_EOS: 'hlsBufferEos', - // fired when the media buffer should be flushed - data { startOffset, endOffset } - BUFFER_FLUSHING: 'hlsBufferFlushing', - // fired when the media buffer has been flushed - data: { } - BUFFER_FLUSHED: 'hlsBufferFlushed', - // fired to signal that a manifest loading starts - data: { url : manifestURL} - MANIFEST_LOADING: 'hlsManifestLoading', - // fired after manifest has been loaded - data: { levels : [available quality levels], audioTracks : [ available audio tracks], url : manifestURL, stats : { trequest, tfirst, tload, mtime}} - MANIFEST_LOADED: 'hlsManifestLoaded', - // fired after manifest has been parsed - data: { levels : [available quality levels], firstLevel : index of first quality level appearing in Manifest} - MANIFEST_PARSED: 'hlsManifestParsed', - // fired when a level switch is requested - data: { level : id of new level } - LEVEL_SWITCHING: 'hlsLevelSwitching', - // fired when a level switch is effective - data: { level : id of new level } - LEVEL_SWITCHED: 'hlsLevelSwitched', - // fired when a level playlist loading starts - data: { url : level URL, level : id of level being loaded} - LEVEL_LOADING: 'hlsLevelLoading', - // fired when a level playlist loading finishes - data: { details : levelDetails object, level : id of loaded level, stats : { trequest, tfirst, tload, mtime} } - LEVEL_LOADED: 'hlsLevelLoaded', - // fired when a level's details have been updated based on previous details, after it has been loaded - data: { details : levelDetails object, level : id of updated level } - LEVEL_UPDATED: 'hlsLevelUpdated', - // fired when a level's PTS information has been updated after parsing a fragment - data: { details : levelDetails object, level : id of updated level, drift: PTS drift observed when parsing last fragment } - LEVEL_PTS_UPDATED: 'hlsLevelPtsUpdated', - // fired to notify that audio track lists has been updated - data: { audioTracks : audioTracks } - AUDIO_TRACKS_UPDATED: 'hlsAudioTracksUpdated', - // fired when an audio track switching is requested - data: { id : audio track id } - AUDIO_TRACK_SWITCHING: 'hlsAudioTrackSwitching', - // fired when an audio track switch actually occurs - data: { id : audio track id } - AUDIO_TRACK_SWITCHED: 'hlsAudioTrackSwitched', - // fired when an audio track loading starts - data: { url : audio track URL, id : audio track id } - AUDIO_TRACK_LOADING: 'hlsAudioTrackLoading', - // fired when an audio track loading finishes - data: { details : levelDetails object, id : audio track id, stats : { trequest, tfirst, tload, mtime } } - AUDIO_TRACK_LOADED: 'hlsAudioTrackLoaded', - // fired to notify that subtitle track lists has been updated - data: { subtitleTracks : subtitleTracks } - SUBTITLE_TRACKS_UPDATED: 'hlsSubtitleTracksUpdated', - // fired when an subtitle track switch occurs - data: { id : subtitle track id } - SUBTITLE_TRACK_SWITCH: 'hlsSubtitleTrackSwitch', - // fired when a subtitle track loading starts - data: { url : subtitle track URL, id : subtitle track id } - SUBTITLE_TRACK_LOADING: 'hlsSubtitleTrackLoading', - // fired when a subtitle track loading finishes - data: { details : levelDetails object, id : subtitle track id, stats : { trequest, tfirst, tload, mtime } } - SUBTITLE_TRACK_LOADED: 'hlsSubtitleTrackLoaded', - // fired when a subtitle fragment has been processed - data: { success : boolean, frag : the processed frag } - SUBTITLE_FRAG_PROCESSED: 'hlsSubtitleFragProcessed', - // fired when the first timestamp is found - data: { id : demuxer id, initPTS: initPTS, frag : fragment object } - INIT_PTS_FOUND: 'hlsInitPtsFound', - // fired when a fragment loading starts - data: { frag : fragment object } - FRAG_LOADING: 'hlsFragLoading', - // fired when a fragment loading is progressing - data: { frag : fragment object, { trequest, tfirst, loaded } } - FRAG_LOAD_PROGRESS: 'hlsFragLoadProgress', - // Identifier for fragment load aborting for emergency switch down - data: { frag : fragment object } - FRAG_LOAD_EMERGENCY_ABORTED: 'hlsFragLoadEmergencyAborted', - // fired when a fragment loading is completed - data: { frag : fragment object, payload : fragment payload, stats : { trequest, tfirst, tload, length } } - FRAG_LOADED: 'hlsFragLoaded', - // fired when a fragment has finished decrypting - data: { id : demuxer id, frag: fragment object, payload : fragment payload, stats : { tstart, tdecrypt } } - FRAG_DECRYPTED: 'hlsFragDecrypted', - // fired when Init Segment has been extracted from fragment - data: { id : demuxer id, frag: fragment object, moov : moov MP4 box, codecs : codecs found while parsing fragment } - FRAG_PARSING_INIT_SEGMENT: 'hlsFragParsingInitSegment', - // fired when parsing sei text is completed - data: { id : demuxer id, frag: fragment object, samples : [ sei samples pes ] } - FRAG_PARSING_USERDATA: 'hlsFragParsingUserdata', - // fired when parsing id3 is completed - data: { id : demuxer id, frag: fragment object, samples : [ id3 samples pes ] } - FRAG_PARSING_METADATA: 'hlsFragParsingMetadata', - // fired when data have been extracted from fragment - data: { id : demuxer id, frag: fragment object, data1 : moof MP4 box or TS fragments, data2 : mdat MP4 box or null} - FRAG_PARSING_DATA: 'hlsFragParsingData', - // fired when fragment parsing is completed - data: { id : demuxer id, frag: fragment object } - FRAG_PARSED: 'hlsFragParsed', - // fired when fragment remuxed MP4 boxes have all been appended into SourceBuffer - data: { id : demuxer id, frag : fragment object, stats : { trequest, tfirst, tload, tparsed, tbuffered, length, bwEstimate } } - FRAG_BUFFERED: 'hlsFragBuffered', - // fired when fragment matching with current media position is changing - data : { id : demuxer id, frag : fragment object } - FRAG_CHANGED: 'hlsFragChanged', - // Identifier for a FPS drop event - data: { curentDropped, currentDecoded, totalDroppedFrames } - FPS_DROP: 'hlsFpsDrop', - // triggered when FPS drop triggers auto level capping - data: { level, droppedlevel } - FPS_DROP_LEVEL_CAPPING: 'hlsFpsDropLevelCapping', - // Identifier for an error event - data: { type : error type, details : error details, fatal : if true, hls.js cannot/will not try to recover, if false, hls.js will try to recover,other error specific data } - ERROR: 'hlsError', - // fired when hls.js instance starts destroying. Different from MEDIA_DETACHED as one could want to detach and reattach a media to the instance of hls.js to handle mid-rolls for example - data: { } - DESTROYING: 'hlsDestroying', - // fired when a decrypt key loading starts - data: { frag : fragment object } - KEY_LOADING: 'hlsKeyLoading', - // fired when a decrypt key loading is completed - data: { frag : fragment object, payload : key payload, stats : { trequest, tfirst, tload, length } } - KEY_LOADED: 'hlsKeyLoaded', - // fired upon stream controller state transitions - data: { previousState, nextState } - STREAM_STATE_TRANSITION: 'hlsStreamStateTransition' - }; - /* harmony default export */ __webpack_exports__["a"] = (HlsEvents); - - /***/ }), - /* 2 */ - /***/ (function(module, __webpack_exports__, __webpack_require__) { - - "use strict"; - /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return ErrorTypes; }); - /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ErrorDetails; }); - var ErrorTypes = { - // Identifier for a network error (loading error / timeout ...) - NETWORK_ERROR: 'networkError', - // Identifier for a media Error (video/parsing/mediasource error) - MEDIA_ERROR: 'mediaError', - // EME (encrypted media extensions) errors - KEY_SYSTEM_ERROR: 'keySystemError', - // Identifier for a mux Error (demuxing/remuxing) - MUX_ERROR: 'muxError', - // Identifier for all other errors - OTHER_ERROR: 'otherError' - }; + var abr_controller_window = window, + abr_controller_performance = abr_controller_window.performance; - /** - * @enum {ErrorDetails} - * @typedef {string} ErrorDetail - */ - var ErrorDetails = { - KEY_SYSTEM_NO_KEYS: 'keySystemNoKeys', - KEY_SYSTEM_NO_ACCESS: 'keySystemNoAccess', - KEY_SYSTEM_NO_SESSION: 'keySystemNoSession', - KEY_SYSTEM_LICENSE_REQUEST_FAILED: 'keySystemLicenseRequestFailed', - // Identifier for a manifest load error - data: { url : faulty URL, response : { code: error code, text: error text }} - MANIFEST_LOAD_ERROR: 'manifestLoadError', - // Identifier for a manifest load timeout - data: { url : faulty URL, response : { code: error code, text: error text }} - MANIFEST_LOAD_TIMEOUT: 'manifestLoadTimeOut', - // Identifier for a manifest parsing error - data: { url : faulty URL, reason : error reason} - MANIFEST_PARSING_ERROR: 'manifestParsingError', - // Identifier for a manifest with only incompatible codecs error - data: { url : faulty URL, reason : error reason} - MANIFEST_INCOMPATIBLE_CODECS_ERROR: 'manifestIncompatibleCodecsError', - // Identifier for a level load error - data: { url : faulty URL, response : { code: error code, text: error text }} - LEVEL_LOAD_ERROR: 'levelLoadError', - // Identifier for a level load timeout - data: { url : faulty URL, response : { code: error code, text: error text }} - LEVEL_LOAD_TIMEOUT: 'levelLoadTimeOut', - // Identifier for a level switch error - data: { level : faulty level Id, event : error description} - LEVEL_SWITCH_ERROR: 'levelSwitchError', - // Identifier for an audio track load error - data: { url : faulty URL, response : { code: error code, text: error text }} - AUDIO_TRACK_LOAD_ERROR: 'audioTrackLoadError', - // Identifier for an audio track load timeout - data: { url : faulty URL, response : { code: error code, text: error text }} - AUDIO_TRACK_LOAD_TIMEOUT: 'audioTrackLoadTimeOut', - // Identifier for fragment load error - data: { frag : fragment object, response : { code: error code, text: error text }} - FRAG_LOAD_ERROR: 'fragLoadError', - // Identifier for fragment load timeout error - data: { frag : fragment object} - FRAG_LOAD_TIMEOUT: 'fragLoadTimeOut', - // Identifier for a fragment decryption error event - data: {id : demuxer Id,frag: fragment object, reason : parsing error description } - FRAG_DECRYPT_ERROR: 'fragDecryptError', - // Identifier for a fragment parsing error event - data: { id : demuxer Id, reason : parsing error description } - // will be renamed DEMUX_PARSING_ERROR and switched to MUX_ERROR in the next major release - FRAG_PARSING_ERROR: 'fragParsingError', - // Identifier for a remux alloc error event - data: { id : demuxer Id, frag : fragment object, bytes : nb of bytes on which allocation failed , reason : error text } - REMUX_ALLOC_ERROR: 'remuxAllocError', - // Identifier for decrypt key load error - data: { frag : fragment object, response : { code: error code, text: error text }} - KEY_LOAD_ERROR: 'keyLoadError', - // Identifier for decrypt key load timeout error - data: { frag : fragment object} - KEY_LOAD_TIMEOUT: 'keyLoadTimeOut', - // Triggered when an exception occurs while adding a sourceBuffer to MediaSource - data : { err : exception , mimeType : mimeType } - BUFFER_ADD_CODEC_ERROR: 'bufferAddCodecError', - // Identifier for a buffer append error - data: append error description - BUFFER_APPEND_ERROR: 'bufferAppendError', - // Identifier for a buffer appending error event - data: appending error description - BUFFER_APPENDING_ERROR: 'bufferAppendingError', - // Identifier for a buffer stalled error event - BUFFER_STALLED_ERROR: 'bufferStalledError', - // Identifier for a buffer full event - BUFFER_FULL_ERROR: 'bufferFullError', - // Identifier for a buffer seek over hole event - BUFFER_SEEK_OVER_HOLE: 'bufferSeekOverHole', - // Identifier for a buffer nudge on stall (playback is stuck although currentTime is in a buffered area) - BUFFER_NUDGE_ON_STALL: 'bufferNudgeOnStall', - // Identifier for an internal exception happening inside hls.js while handling an event - INTERNAL_EXCEPTION: 'internalException' - }; + var abr_controller_AbrController = + /*#__PURE__*/ + function (_EventHandler) { + abr_controller_inheritsLoose(AbrController, _EventHandler); - /***/ }), - /* 3 */ - /***/ (function(module, __webpack_exports__, __webpack_require__) { + function AbrController(hls) { + var _this; - "use strict"; - /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return isFiniteNumber; }); - var isFiniteNumber = Number.isFinite || function (value) { - return typeof value === 'number' && isFinite(value); - }; + _this = _EventHandler.call(this, hls, events["default"].FRAG_LOADING, events["default"].FRAG_LOADED, events["default"].FRAG_BUFFERED, events["default"].ERROR) || this; + _this.lastLoadedFragLevel = 0; + _this._nextAutoLevel = -1; + _this.hls = hls; + _this.timer = null; + _this._bwEstimator = null; + _this.onCheck = _this._abandonRulesCheck.bind(abr_controller_assertThisInitialized(_this)); + return _this; + } - /***/ }), - /* 4 */ - /***/ (function(module, __webpack_exports__, __webpack_require__) { - - "use strict"; - /* harmony export (immutable) */ __webpack_exports__["a"] = getSelfScope; - function getSelfScope() { - // see https://stackoverflow.com/a/11237259/589493 - if (typeof window === 'undefined') { - /* eslint-disable-next-line no-undef */ - return self; - } else { - return window; - } - } + var _proto = AbrController.prototype; - /***/ }), - /* 5 */ - /***/ (function(module, exports, __webpack_require__) { + _proto.destroy = function destroy() { + this.clearTimer(); + event_handler.prototype.destroy.call(this); + }; -// see https://tools.ietf.org/html/rfc1808 + _proto.onFragLoading = function onFragLoading(data) { + var frag = data.frag; - /* jshint ignore:start */ - (function(root) { - /* jshint ignore:end */ - - var URL_REGEX = /^((?:[a-zA-Z0-9+\-.]+:)?)(\/\/[^\/\;?#]*)?(.*?)??(;.*?)?(\?.*?)?(#.*?)?$/; - var FIRST_SEGMENT_REGEX = /^([^\/;?#]*)(.*)$/; - var SLASH_DOT_REGEX = /(?:\/|^)\.(?=\/)/g; - var SLASH_DOT_DOT_REGEX = /(?:\/|^)\.\.\/(?!\.\.\/).*?(?=\/)/g; - - var URLToolkit = { // jshint ignore:line - // 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 = this.parseURL(baseURL); - if (!baseParts) { - throw new Error('Error trying to parse base URL.'); - } - basePartsForNormalise.path = URLToolkit.normalizePath(basePartsForNormalise.path); - return URLToolkit.buildURLFromParts(basePartsForNormalise); - } - var relativeParts = this.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 = this.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; + if (frag.type === 'main') { + if (!this.timer) { + this.fragCurrent = frag; + this.timer = setInterval(this.onCheck, 100); + } // lazy init of BwEstimator, rationale is that we use different params for Live/VoD + // so we need to wait for stream manifest / playlist type to instantiate it. + + + if (!this._bwEstimator) { + var hls = this.hls; + var config = hls.config; + var level = frag.level; + var isLive = hls.levels[level].details.live; + var ewmaFast; + var ewmaSlow; + + if (isLive) { + ewmaFast = config.abrEwmaFastLive; + ewmaSlow = config.abrEwmaSlowLive; + } else { + ewmaFast = config.abrEwmaFastVoD; + ewmaSlow = config.abrEwmaSlowVoD; } + + this._bwEstimator = new ewma_bandwidth_estimator(hls, ewmaSlow, ewmaFast, config.abrEwmaDefaultEstimate); } - } 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) {} // jshint ignore:line - return path.split('').reverse().join(''); - }, - buildURLFromParts: function(parts) { - return parts.scheme + parts.netLoc + parts.path + parts.params + parts.query + parts.fragment; - } - }; - - /* jshint ignore:start */ - if(true) - module.exports = URLToolkit; - else if(typeof define === 'function' && define.amd) - define([], function() { return URLToolkit; }); - else if(typeof exports === 'object') - exports["URLToolkit"] = URLToolkit; - else - root["URLToolkit"] = URLToolkit; - })(this); - /* jshint ignore:end */ + }; + _proto._abandonRulesCheck = function _abandonRulesCheck() { + /* + monitor fragment retrieval time... + we compute expected time of arrival of the complete fragment. + we compare it to expected time of buffer starvation + */ + var hls = this.hls; + var video = hls.media; + var frag = this.fragCurrent; - /***/ }), - /* 6 */ - /***/ (function(module, __webpack_exports__, __webpack_require__) { + if (!frag) { + return; + } - "use strict"; - /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return utf8ArrayToStr; }); - function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + var loader = frag.loader; + var minAutoLevel = hls.minAutoLevel; // if loader has been destroyed or loading has been aborted, stop timer and return - /** - * ID3 parser - */ - var ID3 = function () { - function ID3() { - _classCallCheck(this, ID3); - } + if (!loader || loader.stats && loader.stats.aborted) { + logger["logger"].warn('frag loader destroy or aborted, disarm abandonRules'); + this.clearTimer(); // reset forced auto level value so that next level will be selected - /** - * 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 - */ - ID3.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; + this._nextAutoLevel = -1; + return; } - } - } - } - return false; - }; + var stats = loader.stats; + /* only monitor frag retrieval time if + (video not paused OR first fragment being loaded(ready state === HAVE_NOTHING = 0)) AND autoswitching enabled AND not lowest level (=> means that we have several levels) */ - /** - * 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 - */ + if (video && stats && (!video.paused && video.playbackRate !== 0 || !video.readyState) && frag.autoLevel && frag.level) { + var requestDelay = abr_controller_performance.now() - stats.trequest; + var playbackRate = Math.abs(video.playbackRate); // monitor fragment load progress after half of expected fragment duration,to stabilize bitrate + + if (requestDelay > 500 * frag.duration / playbackRate) { + var levels = hls.levels; + var loadRate = Math.max(1, stats.bw ? stats.bw / 8 : stats.loaded * 1000 / requestDelay); // byte/s; at least 1 byte/s to avoid division by zero + // compute expected fragment length using frag duration and level bitrate. also ensure that expected len is gte than already loaded size + + var level = levels[frag.level]; + var levelBitrate = level.realBitrate ? Math.max(level.realBitrate, level.bitrate) : level.bitrate; + var expectedLen = stats.total ? stats.total : Math.max(stats.loaded, Math.round(frag.duration * levelBitrate / 8)); + var pos = video.currentTime; + var fragLoadedDelay = (expectedLen - stats.loaded) / loadRate; + var bufferStarvationDelay = (BufferHelper.bufferInfo(video, pos, hls.config.maxBufferHole).end - pos) / playbackRate; // consider emergency switch down only if we have less than 2 frag buffered AND + // time to finish loading current fragment is bigger than buffer starvation delay + // ie if we risk buffer starvation if bw does not increase quickly + + if (bufferStarvationDelay < 2 * frag.duration / playbackRate && fragLoadedDelay > bufferStarvationDelay) { + var fragLevelNextLoadedDelay; + var nextLoadLevel; // lets iterate through lower level and try to find the biggest one that could avoid rebuffering + // we start from current level - 1 and we step down , until we find a matching level + + 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].realBitrate ? Math.max(levels[nextLoadLevel].realBitrate, levels[nextLoadLevel].bitrate) : levels[nextLoadLevel].bitrate; + + var _fragLevelNextLoadedDelay = frag.duration * levelNextBitrate / (8 * 0.8 * loadRate); + + if (_fragLevelNextLoadedDelay < bufferStarvationDelay) { + // we found a lower level that be rebuffering free with current estimated bw ! + break; + } + } // only emergency switch down if it takes less time to load new fragment at lowest level instead + // of finishing loading current one ... - ID3.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; - } - } - } - } + if (fragLevelNextLoadedDelay < fragLoadedDelay) { + logger["logger"].warn("loading too slow, abort fragment loading and switch to level " + nextLoadLevel + ":fragLoadedDelay[" + nextLoadLevel + "]<fragLoadedDelay[" + (frag.level - 1) + "];bufferStarvationDelay:" + fragLevelNextLoadedDelay.toFixed(1) + "<" + fragLoadedDelay.toFixed(1) + ":" + bufferStarvationDelay.toFixed(1)); // force next load level in auto mode - return false; - }; + hls.nextLoadLevel = nextLoadLevel; // update bw estimate for this fragment before cancelling load (this will help reducing the bw) - /** - * 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} - The block of data containing any ID3 tags found - */ + this._bwEstimator.sample(requestDelay, stats.loaded); // abort fragment loading - ID3.getID3Data = function getID3Data(data, offset) { - var front = offset; - var length = 0; + loader.abort(); // stop abandon rules timer - while (ID3.isHeader(data, offset)) { - // ID3 header is 10 bytes - length += 10; + this.clearTimer(); + hls.trigger(events["default"].FRAG_LOAD_EMERGENCY_ABORTED, { + frag: frag, + stats: stats + }); + } + } + } + } + }; - var size = ID3._readSize(data, offset + 6); - length += size; + _proto.onFragLoaded = function onFragLoaded(data) { + var frag = data.frag; - if (ID3.isFooter(data, offset + 10)) { - // ID3 footer is 10 bytes - length += 10; - } + if (frag.type === 'main' && Object(number_isFinite["isFiniteNumber"])(frag.sn)) { + // stop monitoring bw once frag loaded + this.clearTimer(); // store level id after successful fragment load - offset += length; - } + this.lastLoadedFragLevel = frag.level; // reset forced auto level value so that next level will be selected - if (length > 0) { - return data.subarray(front, front + length); - } + this._nextAutoLevel = -1; // compute level average bitrate - return undefined; - }; + if (this.hls.config.abrMaxWithRealBitrate) { + var level = this.hls.levels[frag.level]; + var loadedBytes = (level.loaded ? level.loaded.bytes : 0) + data.stats.loaded; + var loadedDuration = (level.loaded ? level.loaded.duration : 0) + data.frag.duration; + level.loaded = { + bytes: loadedBytes, + duration: loadedDuration + }; + level.realBitrate = Math.round(8 * loadedBytes / loadedDuration); + } // if fragment has been loaded to perform a bitrate test, - ID3._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; - }; - /** - * 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} - The timestamp - */ + if (data.frag.bitrateTest) { + var stats = data.stats; + stats.tparsed = stats.tbuffered = stats.tload; + this.onFragBuffered(data); + } + } + }; + _proto.onFragBuffered = function onFragBuffered(data) { + var stats = data.stats; + var frag = data.frag; // only update stats on first frag buffering + // if same frag is loaded multiple times, it might be in browser cache, and loaded quickly + // and leading to wrong bw estimation + // on bitrate test, also only update stats once (if tload = tbuffered == on FRAG_LOADED) - ID3.getTimeStamp = function getTimeStamp(data) { - var frames = ID3.getID3Frames(data); - for (var i = 0; i < frames.length; i++) { - var frame = frames[i]; - if (ID3.isTimeStampFrame(frame)) { - return ID3._readTimeStamp(frame); - } - } + if (stats.aborted !== true && frag.type === 'main' && Object(number_isFinite["isFiniteNumber"])(frag.sn) && (!frag.bitrateTest || stats.tload === stats.tbuffered)) { + // use tparsed-trequest instead of tbuffered-trequest to compute fragLoadingProcessing; rationale is that buffer appending only happens once media is attached + // in case we use config.startFragPrefetch while media is not attached yet, fragment might be parsed while media not attached yet, but it will only be buffered on media attached + // as a consequence it could happen really late in the process. meaning that appending duration might appears huge ... leading to underestimated throughput estimation + var fragLoadingProcessingMs = stats.tparsed - stats.trequest; + logger["logger"].log("latency/loading/parsing/append/kbps:" + Math.round(stats.tfirst - stats.trequest) + "/" + Math.round(stats.tload - stats.tfirst) + "/" + Math.round(stats.tparsed - stats.tload) + "/" + Math.round(stats.tbuffered - stats.tparsed) + "/" + Math.round(8 * stats.loaded / (stats.tbuffered - stats.trequest))); - return undefined; - }; + this._bwEstimator.sample(fragLoadingProcessingMs, stats.loaded); - /** - * Returns true if the ID3 frame is an Elementary Stream timestamp frame - * @param {ID3 frame} frame - */ + stats.bwEstimate = this._bwEstimator.getEstimate(); // if fragment has been loaded to perform a bitrate test, (hls.startLevel = -1), store bitrate test delay duration + if (frag.bitrateTest) { + this.bitrateTestDelay = fragLoadingProcessingMs / 1000; + } else { + this.bitrateTestDelay = 0; + } + } + }; - ID3.isTimeStampFrame = function isTimeStampFrame(frame) { - return frame && frame.key === 'PRIV' && frame.info === 'com.apple.streaming.transportStreamTimestamp'; - }; + _proto.onError = function onError(data) { + // stop timer in case of frag loading error + switch (data.details) { + case errors["ErrorDetails"].FRAG_LOAD_ERROR: + case errors["ErrorDetails"].FRAG_LOAD_TIMEOUT: + this.clearTimer(); + break; - ID3._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 = ID3._readSize(data, 4); + default: + break; + } + }; - // skip frame id, size, and flags - var offset = 10; + _proto.clearTimer = function clearTimer() { + clearInterval(this.timer); + this.timer = null; + } // return next auto level + ; - return { type: type, size: size, data: data.subarray(offset, offset + size) }; - }; + _proto._findBestLevel = function _findBestLevel(currentLevel, currentFragDuration, currentBw, minAutoLevel, maxAutoLevel, maxFetchDuration, bwFactor, bwUpFactor, levels) { + for (var i = maxAutoLevel; i >= minAutoLevel; i--) { + var levelInfo = levels[i]; - /** - * 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 - */ + if (!levelInfo) { + continue; + } + var levelDetails = levelInfo.details; + var avgDuration = levelDetails ? levelDetails.totalduration / levelDetails.fragments.length : currentFragDuration; + var live = levelDetails ? levelDetails.live : false; + 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; + } - ID3.getID3Frames = function getID3Frames(id3Data) { - var offset = 0; - var frames = []; - - while (ID3.isHeader(id3Data, offset)) { - var size = ID3._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 = ID3._getFrameData(id3Data.subarray(offset)); - var frame = ID3._decodeFrame(frameData); - if (frame) { - frames.push(frame); - } + var bitrate = levels[i].realBitrate ? Math.max(levels[i].realBitrate, levels[i].bitrate) : levels[i].bitrate; + var fetchDuration = bitrate * avgDuration / adjustedbw; + logger["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 - // skip frame header and frame data - offset += frameData.size + 10; - } + 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 - if (ID3.isFooter(id3Data, offset)) { - offset += 10; - } - } - return frames; - }; + return -1; + }; - ID3._decodeFrame = function _decodeFrame(frame) { - if (frame.type === 'PRIV') { - return ID3._decodePrivFrame(frame); - } else if (frame.type[0] === 'T') { - return ID3._decodeTextFrame(frame); - } else if (frame.type[0] === 'W') { - return ID3._decodeURLFrame(frame); - } + abr_controller_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 - return undefined; - }; + if (forcedAutoLevel !== -1 && (!bwEstimator || !bwEstimator.canEstimate())) { + return forcedAutoLevel; + } // compute next level using ABR logic - ID3._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 + var nextABRAutoLevel = this._nextABRAutoLevel; // if forced auto level has been defined, use it to cap ABR computed quality level - return Math.round(timestamp); - } + if (forcedAutoLevel !== -1) { + nextABRAutoLevel = Math.min(forcedAutoLevel, nextABRAutoLevel); + } - return undefined; - }; + return nextABRAutoLevel; + }, + set: function set(nextLevel) { + this._nextAutoLevel = nextLevel; + } + }, { + key: "_nextABRAutoLevel", + get: function get() { + var hls = this.hls; + var maxAutoLevel = hls.maxAutoLevel, + levels = hls.levels, + config = hls.config, + minAutoLevel = hls.minAutoLevel; + var video = hls.media; + var currentLevel = this.lastLoadedFragLevel; + var currentFragDuration = this.fragCurrent ? this.fragCurrent.duration : 0; + var pos = video ? video.currentTime : 0; // playbackRate is the absolute value of the playback rate; if video.playbackRate is 0, we use 1 to load as + // if we're playing back at the normal rate. + + var playbackRate = video && video.playbackRate !== 0 ? Math.abs(video.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 = (BufferHelper.bufferInfo(video, 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(currentLevel, currentFragDuration, avgbw, minAutoLevel, maxAutoLevel, bufferStarvationDelay, config.abrBandWidthFactor, config.abrBandWidthUpFactor, levels); + + if (bestLevel >= 0) { + return bestLevel; + } else { + logger["logger"].trace('rebuffering expected to happen, lets try to find a quality level minimizing the rebuffering'); // 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 === 0) { + // 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; + logger["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; + } + } - ID3._decodePrivFrame = function _decodePrivFrame(frame) { - /* - Format: <text string>\0<binary data> - */ - if (frame.size < 2) { - return undefined; - } + bestLevel = this._findBestLevel(currentLevel, currentFragDuration, avgbw, minAutoLevel, maxAutoLevel, bufferStarvationDelay + maxStarvationDelay, bwFactor, bwUpFactor, levels); + return Math.max(bestLevel, 0); + } + } + }]); - var owner = ID3._utf8ArrayToStr(frame.data, true); - var privateData = new Uint8Array(frame.data.subarray(owner.length + 1)); + return AbrController; + }(event_handler); - return { key: frame.type, info: owner, data: privateData.buffer }; - }; + /* harmony default export */ var abr_controller = (abr_controller_AbrController); +// CONCATENATED MODULE: ./src/controller/buffer-controller.ts - ID3._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 = ID3._utf8ArrayToStr(frame.data.subarray(index)); + function buffer_controller_inheritsLoose(subClass, superClass) { subClass.prototype = Object.create(superClass.prototype); subClass.prototype.constructor = subClass; subClass.__proto__ = superClass; } - index += description.length + 1; - var value = ID3._utf8ArrayToStr(frame.data.subarray(index)); + /* + * Buffer Controller + */ - return { key: frame.type, info: description, data: value }; - } else { - /* - Format: - [0] = {Text Encoding} - [1-?] = {Value} - */ - var text = ID3._utf8ArrayToStr(frame.data.subarray(1)); - return { key: frame.type, data: text }; - } - }; - ID3._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 = ID3._utf8ArrayToStr(frame.data.subarray(index)); - index += description.length + 1; - var value = ID3._utf8ArrayToStr(frame.data.subarray(index)); - return { key: frame.type, info: description, data: value }; - } else { - /* - Format: - [0-?] = {URL} - */ - var url = ID3._utf8ArrayToStr(frame.data); - return { key: frame.type, data: url }; - } - }; + var buffer_controller_MediaSource = getMediaSource(); + + var buffer_controller_BufferController = + /*#__PURE__*/ + function (_EventHandler) { + buffer_controller_inheritsLoose(BufferController, _EventHandler); + + // the value that we have set mediasource.duration to + // (the actual duration may be tweaked slighly by the browser) + // the value that we want to set mediaSource.duration to + // the target duration of the current media playlist + // current stream state: true - for live broadcast, false - for VoD content + // cache the self generated object url to detect hijack of video tag + // signals that the sourceBuffers need to be flushed + // signals that mediaSource should have endOfStream called + // this is optional because this property is removed from the class sometimes + // 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 + // List of pending segments to be appended to source buffer + // A guard to see if we are currently appending to the source buffer + // counters + function BufferController(hls) { + var _this; + + _this = _EventHandler.call(this, hls, events["default"].MEDIA_ATTACHING, events["default"].MEDIA_DETACHING, events["default"].MANIFEST_PARSED, events["default"].BUFFER_RESET, events["default"].BUFFER_APPENDING, events["default"].BUFFER_CODECS, events["default"].BUFFER_EOS, events["default"].BUFFER_FLUSHING, events["default"].LEVEL_PTS_UPDATED, events["default"].LEVEL_UPDATED) || this; + _this._msDuration = null; + _this._levelDuration = null; + _this._levelTargetDuration = 10; + _this._live = null; + _this._objectUrl = null; + _this._needsFlush = false; + _this._needsEos = false; + _this.config = void 0; + _this.audioTimestampOffset = void 0; + _this.bufferCodecEventsExpected = 0; + _this._bufferCodecEventsTotal = 0; + _this.media = null; + _this.mediaSource = null; + _this.segments = []; + _this.parent = void 0; + _this.appending = false; + _this.appended = 0; + _this.appendError = 0; + _this.flushBufferCounter = 0; + _this.tracks = {}; + _this.pendingTracks = {}; + _this.sourceBuffer = {}; + _this.flushRange = []; + + _this._onMediaSourceOpen = function () { + logger["logger"].log('media source opened'); + + _this.hls.trigger(events["default"].MEDIA_ATTACHED, { + media: _this.media + }); - // 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 mediaSource = _this.mediaSource; + if (mediaSource) { + // once received, don't listen anymore to sourceopen event + mediaSource.removeEventListener('sourceopen', _this._onMediaSourceOpen); + } - ID3._utf8ArrayToStr = function _utf8ArrayToStr(array) { - var exitOnNull = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : false; - - var len = array.length; - var c = void 0; - var char2 = void 0; - var char3 = void 0; - 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; - }; + _this.checkPendingTracks(); + }; - return ID3; - }(); + _this._onMediaSourceClose = function () { + logger["logger"].log('media source closed'); + }; - var utf8ArrayToStr = ID3._utf8ArrayToStr; + _this._onMediaSourceEnded = function () { + logger["logger"].log('media source ended'); + }; - /* harmony default export */ __webpack_exports__["a"] = (ID3); + _this._onSBUpdateEnd = function () { + // update timestampOffset + if (_this.audioTimestampOffset && _this.sourceBuffer.audio) { + var audioBuffer = _this.sourceBuffer.audio; + logger["logger"].warn("change mpeg audio timestamp offset from " + audioBuffer.timestampOffset + " to " + _this.audioTimestampOffset); + audioBuffer.timestampOffset = _this.audioTimestampOffset; + delete _this.audioTimestampOffset; + } + if (_this._needsFlush) { + _this.doFlush(); + } + if (_this._needsEos) { + _this.checkEos(); + } - /***/ }), - /* 7 */ - /***/ (function(module, exports) { + _this.appending = false; + var parent = _this.parent; // count nb of pending segments waiting for appending on this sourcebuffer -// Copyright Joyent, Inc. and other Node contributors. -// -// Permission is hereby granted, free of charge, to any person obtaining a -// copy of this software and associated documentation files (the -// "Software"), to deal in the Software without restriction, including -// without limitation the rights to use, copy, modify, merge, publish, -// distribute, sublicense, and/or sell copies of the Software, and to permit -// persons to whom the Software is furnished to do so, subject to the -// following conditions: -// -// The above copyright notice and this permission notice shall be included -// in all copies or substantial portions of the Software. -// -// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS -// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF -// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN -// NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, -// DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR -// OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE -// USE OR OTHER DEALINGS IN THE SOFTWARE. - - function EventEmitter() { - this._events = this._events || {}; - this._maxListeners = this._maxListeners || undefined; - } - module.exports = EventEmitter; - -// Backwards-compat with node 0.10.x - EventEmitter.EventEmitter = EventEmitter; - - EventEmitter.prototype._events = undefined; - EventEmitter.prototype._maxListeners = undefined; - -// By default EventEmitters will print a warning if more than 10 listeners are -// added to it. This is a useful default which helps finding memory leaks. - EventEmitter.defaultMaxListeners = 10; - -// Obviously not all Emitters should be limited to 10. This function allows -// that to be increased. Set to zero for unlimited. - EventEmitter.prototype.setMaxListeners = function(n) { - if (!isNumber(n) || n < 0 || isNaN(n)) - throw TypeError('n must be a positive number'); - this._maxListeners = n; - return this; - }; + var pending = _this.segments.reduce(function (counter, segment) { + return segment.parent === parent ? counter + 1 : counter; + }, 0); // this.sourceBuffer is better to use than media.buffered as it is closer to the PTS data from the fragments - EventEmitter.prototype.emit = function(type) { - var er, handler, len, args, i, listeners; - if (!this._events) - this._events = {}; + var timeRanges = {}; + var sbSet = _this.sourceBuffer; - // If there is no 'error' event listener then throw. - if (type === 'error') { - if (!this._events.error || - (isObject(this._events.error) && !this._events.error.length)) { - er = arguments[1]; - if (er instanceof Error) { - throw er; // Unhandled 'error' event - } else { - // At least give some kind of context to the user - var err = new Error('Uncaught, unspecified "error" event. (' + er + ')'); - err.context = er; - throw err; - } - } - } + for (var streamType in sbSet) { + var sb = sbSet[streamType]; - handler = this._events[type]; + if (!sb) { + throw Error("handling source buffer update end error: source buffer for " + streamType + " uninitilized and unable to update buffered TimeRanges."); + } - if (isUndefined(handler)) - return false; + timeRanges[streamType] = sb.buffered; + } - if (isFunction(handler)) { - switch (arguments.length) { - // fast cases - case 1: - handler.call(this); - break; - case 2: - handler.call(this, arguments[1]); - break; - case 3: - handler.call(this, arguments[1], arguments[2]); - break; - // slower - default: - args = Array.prototype.slice.call(arguments, 1); - handler.apply(this, args); - } - } else if (isObject(handler)) { - args = Array.prototype.slice.call(arguments, 1); - listeners = handler.slice(); - len = listeners.length; - for (i = 0; i < len; i++) - listeners[i].apply(this, args); - } + _this.hls.trigger(events["default"].BUFFER_APPENDED, { + parent: parent, + pending: pending, + timeRanges: timeRanges + }); // don't append in flushing mode - return true; - }; - EventEmitter.prototype.addListener = function(type, listener) { - var m; - - if (!isFunction(listener)) - throw TypeError('listener must be a function'); - - if (!this._events) - this._events = {}; - - // To avoid recursion in the case that type === "newListener"! Before - // adding it to the listeners, first emit "newListener". - if (this._events.newListener) - this.emit('newListener', type, - isFunction(listener.listener) ? - listener.listener : listener); - - if (!this._events[type]) - // Optimize the case of one listener. Don't need the extra array object. - this._events[type] = listener; - else if (isObject(this._events[type])) - // If we've already got an array, just append. - this._events[type].push(listener); - else - // Adding the second element, need to change to array. - this._events[type] = [this._events[type], listener]; - - // Check for listener leak - if (isObject(this._events[type]) && !this._events[type].warned) { - if (!isUndefined(this._maxListeners)) { - m = this._maxListeners; - } else { - m = EventEmitter.defaultMaxListeners; - } + if (!_this._needsFlush) { + _this.doAppending(); + } - if (m && m > 0 && this._events[type].length > m) { - this._events[type].warned = true; - console.error('(node) warning: possible EventEmitter memory ' + - 'leak detected. %d listeners added. ' + - 'Use emitter.setMaxListeners() to increase limit.', - this._events[type].length); - if (typeof console.trace === 'function') { - // not supported in IE 10 - console.trace(); - } - } - } + _this.updateMediaElementDuration(); // appending goes first - return this; - }; - EventEmitter.prototype.on = EventEmitter.prototype.addListener; + if (pending === 0) { + _this.flushLiveBackBuffer(); + } + }; - EventEmitter.prototype.once = function(type, listener) { - if (!isFunction(listener)) - throw TypeError('listener must be a function'); + _this._onSBUpdateError = function (event) { + logger["logger"].error('sourceBuffer error:', event); // according to http://www.w3.org/TR/media-source/#sourcebuffer-append-error + // this error might not always be fatal (it is fatal if decode error is set, in that case + // it will be followed by a mediaElement error ...) - var fired = false; + _this.hls.trigger(events["default"].ERROR, { + type: errors["ErrorTypes"].MEDIA_ERROR, + details: errors["ErrorDetails"].BUFFER_APPENDING_ERROR, + fatal: false + }); // we don't need to do more than that, as accordin to the spec, updateend will be fired just after - function g() { - this.removeListener(type, g); + }; - if (!fired) { - fired = true; - listener.apply(this, arguments); - } - } + _this.config = hls.config; + return _this; + } - g.listener = listener; - this.on(type, g); + var _proto = BufferController.prototype; - return this; - }; + _proto.destroy = function destroy() { + event_handler.prototype.destroy.call(this); + }; -// emits a 'removeListener' event iff the listener was removed - EventEmitter.prototype.removeListener = function(type, listener) { - var list, position, length, i; + _proto.onLevelPtsUpdated = function onLevelPtsUpdated(data) { + var type = data.type; + var audioTrack = this.tracks.audio; // 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). At the time of change we issue + // `SourceBuffer.abort()` and adjusting `SourceBuffer.timestampOffset` if `SourceBuffer.updating` is false or awaiting `updateend` + // event if SB is in updating state. + // More info here: https://github.com/video-dev/hls.js/issues/332#issuecomment-257986486 + + if (type === 'audio' && audioTrack && audioTrack.container === 'audio/mpeg') { + // Chrome audio mp3 track + var audioBuffer = this.sourceBuffer.audio; + + if (!audioBuffer) { + throw Error('Level PTS Updated and source buffer for audio uninitalized'); + } - if (!isFunction(listener)) - throw TypeError('listener must be a function'); + var delta = Math.abs(audioBuffer.timestampOffset - data.start); // adjust timestamp offset if time delta is greater than 100ms - if (!this._events || !this._events[type]) - return this; + if (delta > 0.1) { + var updating = audioBuffer.updating; - list = this._events[type]; - length = list.length; - position = -1; + try { + audioBuffer.abort(); + } catch (err) { + logger["logger"].warn('can not abort audio buffer: ' + err); + } - if (list === listener || - (isFunction(list.listener) && list.listener === listener)) { - delete this._events[type]; - if (this._events.removeListener) - this.emit('removeListener', type, listener); + if (!updating) { + logger["logger"].warn('change mpeg audio timestamp offset from ' + audioBuffer.timestampOffset + ' to ' + data.start); + audioBuffer.timestampOffset = data.start; + } else { + this.audioTimestampOffset = data.start; + } + } + } + }; - } else if (isObject(list)) { - for (i = length; i-- > 0;) { - if (list[i] === listener || - (list[i].listener && list[i].listener === listener)) { - position = i; - break; - } - } + _proto.onManifestParsed = function onManifestParsed(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 + this.bufferCodecEventsExpected = this._bufferCodecEventsTotal = data.altAudio ? 2 : 1; + logger["logger"].log(this.bufferCodecEventsExpected + " bufferCodec event(s) expected"); + }; - if (position < 0) - return this; + _proto.onMediaAttaching = function onMediaAttaching(data) { + var media = this.media = data.media; - if (list.length === 1) { - list.length = 0; - delete this._events[type]; - } else { - list.splice(position, 1); - } + if (media && buffer_controller_MediaSource) { + // setup the media source + var ms = this.mediaSource = new buffer_controller_MediaSource(); // Media Source listeners - if (this._events.removeListener) - this.emit('removeListener', type, listener); - } + ms.addEventListener('sourceopen', this._onMediaSourceOpen); + ms.addEventListener('sourceended', this._onMediaSourceEnded); + ms.addEventListener('sourceclose', this._onMediaSourceClose); // link video and media Source - return this; - }; + media.src = window.URL.createObjectURL(ms); // cache the locally generated object url - EventEmitter.prototype.removeAllListeners = function(type) { - var key, listeners; + this._objectUrl = media.src; + } + }; - if (!this._events) - return this; + _proto.onMediaDetaching = function onMediaDetaching() { + logger["logger"].log('media source detaching'); + var ms = this.mediaSource; + + if (ms) { + if (ms.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 + ms.endOfStream(); + } catch (err) { + logger["logger"].warn("onMediaDetaching:" + err.message + " while calling endOfStream"); + } + } - // not listening for removeListener, no need to emit - if (!this._events.removeListener) { - if (arguments.length === 0) - this._events = {}; - else if (this._events[type]) - delete this._events[type]; - return this; - } + ms.removeEventListener('sourceopen', this._onMediaSourceOpen); + ms.removeEventListener('sourceended', this._onMediaSourceEnded); + ms.removeEventListener('sourceclose', this._onMediaSourceClose); // Detach properly the MediaSource from the HTMLMediaElement as + // suggested in https://github.com/w3c/media-source/issues/53. - // emit removeListener for all listeners on all events - if (arguments.length === 0) { - for (key in this._events) { - if (key === 'removeListener') continue; - this.removeAllListeners(key); - } - this.removeAllListeners('removeListener'); - this._events = {}; - return this; - } + if (this.media) { + if (this._objectUrl) { + window.URL.revokeObjectURL(this._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 - listeners = this._events[type]; - if (isFunction(listeners)) { - this.removeListener(type, listeners); - } else if (listeners) { - // LIFO order - while (listeners.length) - this.removeListener(type, listeners[listeners.length - 1]); - } - delete this._events[type]; + if (this.media.src === this._objectUrl) { + this.media.removeAttribute('src'); + this.media.load(); + } else { + logger["logger"].warn('media.src was changed by a third party - skip cleanup'); + } + } - return this; - }; + this.mediaSource = null; + this.media = null; + this._objectUrl = null; + this.bufferCodecEventsExpected = this._bufferCodecEventsTotal; + this.pendingTracks = {}; + this.tracks = {}; + this.sourceBuffer = {}; + this.flushRange = []; + this.segments = []; + this.appended = 0; + } - EventEmitter.prototype.listeners = function(type) { - var ret; - if (!this._events || !this._events[type]) - ret = []; - else if (isFunction(this._events[type])) - ret = [this._events[type]]; - else - ret = this._events[type].slice(); - return ret; - }; + this.hls.trigger(events["default"].MEDIA_DETACHED); + }; - EventEmitter.prototype.listenerCount = function(type) { - if (this._events) { - var evlistener = this._events[type]; + _proto.checkPendingTracks = function checkPendingTracks() { + var bufferCodecEventsExpected = this.bufferCodecEventsExpected, + 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. - if (isFunction(evlistener)) - return 1; - else if (evlistener) - return evlistener.length; - } - return 0; - }; + var pendingTracksCount = Object.keys(pendingTracks).length; - EventEmitter.listenerCount = function(emitter, type) { - return emitter.listenerCount(type); - }; + if (pendingTracksCount && !bufferCodecEventsExpected || pendingTracksCount === 2) { + // ok, let's create them now ! + this.createSourceBuffers(pendingTracks); + this.pendingTracks = {}; // append any pending segments now ! - function isFunction(arg) { - return typeof arg === 'function'; - } + this.doAppending(); + } + }; - function isNumber(arg) { - return typeof arg === 'number'; - } + _proto.onBufferReset = function onBufferReset() { + var sourceBuffer = this.sourceBuffer; - function isObject(arg) { - return typeof arg === 'object' && arg !== null; - } + for (var type in sourceBuffer) { + var sb = sourceBuffer[type]; - function isUndefined(arg) { - return arg === void 0; - } + try { + if (sb) { + if (this.mediaSource) { + this.mediaSource.removeSourceBuffer(sb); + } + sb.removeEventListener('updateend', this._onSBUpdateEnd); + sb.removeEventListener('error', this._onSBUpdateError); + } + } catch (err) {} + } - /***/ }), - /* 8 */ - /***/ (function(module, __webpack_exports__, __webpack_require__) { + this.sourceBuffer = {}; + this.flushRange = []; + this.segments = []; + this.appended = 0; + }; - "use strict"; + _proto.onBufferCodecs = function onBufferCodecs(tracks) { + var _this2 = this; -// CONCATENATED MODULE: ./src/crypt/aes-crypto.js - function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + // if source buffer(s) not created yet, appended buffer tracks in this.pendingTracks + // if sourcebuffers already created, do nothing ... + if (Object.keys(this.sourceBuffer).length) { + return; + } - var AESCrypto = function () { - function AESCrypto(subtle, iv) { - _classCallCheck(this, AESCrypto); + Object.keys(tracks).forEach(function (trackName) { + _this2.pendingTracks[trackName] = tracks[trackName]; + }); + this.bufferCodecEventsExpected = Math.max(this.bufferCodecEventsExpected - 1, 0); - this.subtle = subtle; - this.aesIV = iv; - } + if (this.mediaSource && this.mediaSource.readyState === 'open') { + this.checkPendingTracks(); + } + }; - AESCrypto.prototype.decrypt = function decrypt(data, key) { - return this.subtle.decrypt({ name: 'AES-CBC', iv: this.aesIV }, key, data); - }; + _proto.createSourceBuffers = function createSourceBuffers(tracks) { + var sourceBuffer = this.sourceBuffer, + mediaSource = this.mediaSource; - return AESCrypto; - }(); + if (!mediaSource) { + throw Error('createSourceBuffers called when mediaSource was null'); + } - /* harmony default export */ var aes_crypto = (AESCrypto); -// CONCATENATED MODULE: ./src/crypt/fast-aes-key.js - function fast_aes_key__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + 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; + logger["logger"].log("creating sourceBuffer(" + mimeType + ")"); + + try { + var sb = sourceBuffer[trackName] = mediaSource.addSourceBuffer(mimeType); + sb.addEventListener('updateend', this._onSBUpdateEnd); + sb.addEventListener('error', this._onSBUpdateError); + this.tracks[trackName] = { + buffer: sb, + codec: codec, + id: track.id, + container: track.container, + levelCodec: track.levelCodec + }; + } catch (err) { + logger["logger"].error("error while trying to add sourceBuffer:" + err.message); + this.hls.trigger(events["default"].ERROR, { + type: errors["ErrorTypes"].MEDIA_ERROR, + details: errors["ErrorDetails"].BUFFER_ADD_CODEC_ERROR, + fatal: false, + err: err, + mimeType: mimeType + }); + } + } + } - var FastAESKey = function () { - function FastAESKey(subtle, key) { - fast_aes_key__classCallCheck(this, FastAESKey); + this.hls.trigger(events["default"].BUFFER_CREATED, { + tracks: this.tracks + }); + }; - this.subtle = subtle; - this.key = key; - } + _proto.onBufferAppending = function onBufferAppending(data) { + if (!this._needsFlush) { + if (!this.segments) { + this.segments = [data]; + } else { + this.segments.push(data); + } - FastAESKey.prototype.expandKey = function expandKey() { - return this.subtle.importKey('raw', this.key, { name: 'AES-CBC' }, false, ['encrypt', 'decrypt']); - }; + this.doAppending(); + } + } // 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(data) { + for (var type in this.sourceBuffer) { + if (!data.type || data.type === type) { + var sb = this.sourceBuffer[type]; + + if (sb && !sb.ended) { + sb.ended = true; + logger["logger"].log(type + " sourceBuffer now EOS"); + } + } + } - return FastAESKey; - }(); + this.checkEos(); + } // if all source buffers are marked as ended, signal endOfStream() to MediaSource. + ; - /* harmony default export */ var fast_aes_key = (FastAESKey); -// CONCATENATED MODULE: ./src/crypt/aes-decryptor.js - function aes_decryptor__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + _proto.checkEos = function checkEos() { + var sourceBuffer = this.sourceBuffer, + mediaSource = this.mediaSource; -// PKCS7 - function removePadding(buffer) { - var outputBytes = buffer.byteLength; - var paddingBytes = outputBytes && new DataView(buffer).getUint8(outputBytes - 1); - if (paddingBytes) { - return buffer.slice(0, outputBytes - paddingBytes); - } else { - return buffer; - } - } + if (!mediaSource || mediaSource.readyState !== 'open') { + this._needsEos = false; + return; + } - var AESDecryptor = function () { - function AESDecryptor() { - aes_decryptor__classCallCheck(this, AESDecryptor); + for (var type in sourceBuffer) { + var sb = sourceBuffer[type]; + if (!sb) continue; - // Static after running initTable - 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); + if (!sb.ended) { + return; + } - // Changes during runtime - this.key = new Uint32Array(0); + if (sb.updating) { + this._needsEos = true; + return; + } + } - this.initTable(); - } + logger["logger"].log('all media data are available, signal endOfStream() to MediaSource and stop loading fragment'); // Notify the media element that it now has all of the media data - // Using view.getUint32() also swaps the byte order. + try { + mediaSource.endOfStream(); + } catch (e) { + logger["logger"].warn('exception while calling mediaSource.endOfStream()'); + } + this._needsEos = false; + }; - AESDecryptor.prototype.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); - } + _proto.onBufferFlushing = function onBufferFlushing(data) { + if (data.type) { + this.flushRange.push({ + start: data.startOffset, + end: data.endOffset, + type: data.type + }); + } else { + this.flushRange.push({ + start: data.startOffset, + end: data.endOffset, + type: 'video' + }); + this.flushRange.push({ + start: data.startOffset, + end: data.endOffset, + type: 'audio' + }); + } // attempt flush immediately - return newArray; - }; - AESDecryptor.prototype.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; - } - } + this.flushBufferCounter = 0; + this.doFlush(); + }; - 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.flushLiveBackBuffer = function flushLiveBackBuffer() { + // clear back buffer for live only + if (!this._live) { + return; + } - AESDecryptor.prototype.expandKey = function expandKey(keyBuffer) { - // convert keyBuffer to Uint32Array - var key = this.uint8ArrayToUint32Array_(keyBuffer); - var sameKey = true; - var offset = 0; + var liveBackBufferLength = this.config.liveBackBufferLength; - while (offset < key.length && sameKey) { - sameKey = key[offset] === this.key[offset]; - offset++; - } + if (!isFinite(liveBackBufferLength) || liveBackBufferLength < 0) { + return; + } - if (sameKey) { - return; - } + if (!this.media) { + logger["logger"].error('flushLiveBackBuffer called without attaching media'); + return; + } - this.key = key; - var keySize = this.keySize = key.length; + var currentTime = this.media.currentTime; + var sourceBuffer = this.sourceBuffer; + var bufferTypes = Object.keys(sourceBuffer); + var targetBackBufferPosition = currentTime - Math.max(liveBackBufferLength, this._levelTargetDuration); + + for (var index = bufferTypes.length - 1; index >= 0; index--) { + var bufferType = bufferTypes[index]; + var sb = sourceBuffer[bufferType]; + + if (sb) { + var buffered = sb.buffered; // when target buffer start exceeds actual buffer start + + if (buffered.length > 0 && targetBackBufferPosition > buffered.start(0)) { + // remove buffer up until current time minus minimum back buffer length (removing buffer too close to current + // time will lead to playback freezing) + // credits for level target duration - https://github.com/videojs/http-streaming/blob/3132933b6aa99ddefab29c10447624efd6fd6e52/src/segment-loader.js#L91 + if (this.removeBufferRange(bufferType, sb, 0, targetBackBufferPosition)) { + this.hls.trigger(events["default"].LIVE_BACK_BUFFER_REACHED, { + bufferEnd: targetBackBufferPosition + }); + } + } + } + } + }; - if (keySize !== 4 && keySize !== 6 && keySize !== 8) { - throw new Error('Invalid aes key size=' + keySize); - } + _proto.onLevelUpdated = function onLevelUpdated(_ref) { + var details = _ref.details; - var ksRows = this.ksRows = (keySize + 6 + 1) * 4; - var ksRow = void 0; - var invKsRow = void 0; + if (details.fragments.length > 0) { + this._levelDuration = details.totalduration + details.fragments[0].start; + this._levelTargetDuration = details.averagetargetduration || details.targetduration || 10; + this._live = details.live; + this.updateMediaElementDuration(); + } + } + /** + * 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() { + var config = this.config; + var duration; - var keySchedule = this.keySchedule = new Uint32Array(ksRows); - var invKeySchedule = this.invKeySchedule = new Uint32Array(ksRows); - var sbox = this.sBox; - var rcon = this.rcon; + if (this._levelDuration === null || !this.media || !this.mediaSource || !this.sourceBuffer || this.media.readyState === 0 || this.mediaSource.readyState !== 'open') { + return; + } - var invSubMix = this.invSubMix; - var invSubMix0 = invSubMix[0]; - var invSubMix1 = invSubMix[1]; - var invSubMix2 = invSubMix[2]; - var invSubMix3 = invSubMix[3]; + for (var type in this.sourceBuffer) { + var sb = this.sourceBuffer[type]; - var prev = void 0; - var t = void 0; + if (sb && sb.updating === true) { + // can't set duration whilst a buffer is updating + return; + } + } - for (ksRow = 0; ksRow < ksRows; ksRow++) { - if (ksRow < keySize) { - prev = keySchedule[ksRow] = key[ksRow]; - continue; - } - t = prev; + duration = this.media.duration; // initialise to the value that the media source is reporting - if (ksRow % keySize === 0) { - // Rot word - t = t << 8 | t >>> 24; + if (this._msDuration === null) { + this._msDuration = this.mediaSource.duration; + } - // Sub word - t = sbox[t >>> 24] << 24 | sbox[t >>> 16 & 0xff] << 16 | sbox[t >>> 8 & 0xff] << 8 | sbox[t & 0xff]; + if (this._live === true && config.liveDurationInfinity === true) { + // Override duration to Infinity + logger["logger"].log('Media Source duration is set to Infinity'); + this._msDuration = this.mediaSource.duration = Infinity; + } else if (this._levelDuration > this._msDuration && this._levelDuration > duration || !Object(number_isFinite["isFiniteNumber"])(duration)) { + // 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 + logger["logger"].log("Updating Media Source duration to " + this._levelDuration.toFixed(3)); + this._msDuration = this.mediaSource.duration = this._levelDuration; + } + }; - // 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]; - } + _proto.doFlush = function doFlush() { + // loop through all buffer ranges to flush + while (this.flushRange.length) { + var range = this.flushRange[0]; // flushBuffer will abort any buffer append in progress and flush Audio/Video Buffer - keySchedule[ksRow] = prev = (keySchedule[ksRow - keySize] ^ t) >>> 0; - } + if (this.flushBuffer(range.start, range.end, range.type)) { + // range flushed, remove from flush array + this.flushRange.shift(); + this.flushBufferCounter = 0; + } else { + this._needsFlush = true; // avoid looping, wait for SB update end to retrigger a flush - for (invKsRow = 0; invKsRow < ksRows; invKsRow++) { - ksRow = ksRows - invKsRow; - if (invKsRow & 3) { - t = keySchedule[ksRow]; - } else { - t = keySchedule[ksRow - 4]; - } + return; + } + } - 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]]; - } + if (this.flushRange.length === 0) { + // everything flushed + this._needsFlush = false; // let's recompute this.appended, which is used to avoid flush looping - invKeySchedule[invKsRow] = invKeySchedule[invKsRow] >>> 0; - } - }; + var appended = 0; + var sourceBuffer = this.sourceBuffer; - // Adding this as a method greatly improves performance. + try { + for (var type in sourceBuffer) { + var sb = sourceBuffer[type]; + if (sb) { + appended += sb.buffered.length; + } + } + } catch (error) { + // error could be thrown while accessing buffered, in case sourcebuffer has already been removed from MediaSource + // this is harmess at this stage, catch this to avoid reporting an internal exception + logger["logger"].error('error while accessing sourceBuffer.buffered'); + } - AESDecryptor.prototype.networkToHostOrderSwap = function networkToHostOrderSwap(word) { - return word << 24 | (word & 0xff00) << 8 | (word & 0xff0000) >> 8 | word >>> 24; - }; + this.appended = appended; + this.hls.trigger(events["default"].BUFFER_FLUSHED); + } + }; - AESDecryptor.prototype.decrypt = function decrypt(inputArrayBuffer, offset, aesIV, removePKCS7Padding) { - 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 = void 0, - t1 = void 0, - t2 = void 0, - t3 = void 0; - var s0 = void 0, - s1 = void 0, - s2 = void 0, - s3 = void 0; - var inputWords0 = void 0, - inputWords1 = void 0, - inputWords2 = void 0, - inputWords3 = void 0; - - var ksRow = void 0, - i = void 0; - 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; - } + _proto.doAppending = function doAppending() { + var config = this.config, + hls = this.hls, + segments = this.segments, + sourceBuffer = this.sourceBuffer; - // 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]; - ksRow = 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; - } + if (!Object.keys(sourceBuffer).length) { + // early exit if no source buffers have been initialized yet + return; + } - return removePKCS7Padding ? removePadding(outputInt32.buffer) : outputInt32.buffer; - }; + if (!this.media || this.media.error) { + this.segments = []; + logger["logger"].error('trying to append although a media error occured, flush segment and abort'); + return; + } - AESDecryptor.prototype.destroy = function destroy() { - this.key = undefined; - this.keySize = undefined; - this.ksRows = undefined; + if (this.appending) { + // logger.log(`sb appending in progress`); + return; + } - this.sBox = undefined; - this.invSBox = undefined; - this.subMix = undefined; - this.invSubMix = undefined; - this.keySchedule = undefined; - this.invKeySchedule = undefined; + var segment = segments.shift(); - this.rcon = undefined; - }; + if (!segment) { + // handle undefined shift + return; + } - return AESDecryptor; - }(); + try { + var sb = sourceBuffer[segment.type]; - /* harmony default export */ var aes_decryptor = (AESDecryptor); -// EXTERNAL MODULE: ./src/errors.js - var errors = __webpack_require__(2); + if (!sb) { + // in case we don't have any source buffer matching with this segment type, + // it means that Mediasource fails to create sourcebuffer + // discard this segment, and trigger update end + this._onSBUpdateEnd(); -// EXTERNAL MODULE: ./src/utils/logger.js - var logger = __webpack_require__(0); + return; + } -// EXTERNAL MODULE: ./src/events.js - var events = __webpack_require__(1); + if (sb.updating) { + // if we are still updating the source buffer from the last segment, place this back at the front of the queue + segments.unshift(segment); + return; + } // reset sourceBuffer ended flag before appending segment -// EXTERNAL MODULE: ./src/utils/get-self-scope.js - var get_self_scope = __webpack_require__(4); -// CONCATENATED MODULE: ./src/crypt/decrypter.js - function decrypter__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + sb.ended = false; // logger.log(`appending ${segment.content} ${type} SB, size:${segment.data.length}, ${segment.parent}`); + this.parent = segment.parent; + sb.appendBuffer(segment.data); + this.appendError = 0; + this.appended++; + this.appending = true; + } catch (err) { + // in case any error occured while appending, put back segment in segments table + logger["logger"].error("error while trying to append buffer:" + err.message); + segments.unshift(segment); + var event = { + type: errors["ErrorTypes"].MEDIA_ERROR, + parent: segment.parent, + details: '', + fatal: false + }; + if (err.code === 22) { + // QuotaExceededError: http://www.w3.org/TR/html5/infrastructure.html#quotaexceedederror + // let's stop appending any segments, and report BUFFER_FULL_ERROR error + this.segments = []; + event.details = errors["ErrorDetails"].BUFFER_FULL_ERROR; + } else { + this.appendError++; + event.details = errors["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 help recovering this + */ + if (this.appendError > config.appendErrorMaxRetry) { + logger["logger"].log("fail " + config.appendErrorMaxRetry + " times to append segment in sourceBuffer"); + this.segments = []; + event.fatal = true; + } + } + hls.trigger(events["default"].ERROR, event); + } + } + /* + flush specified buffered range, + return true once range has been flushed. + as sourceBuffer.remove() is asynchronous, flushBuffer will be retriggered on sourceBuffer update end + */ + ; + _proto.flushBuffer = function flushBuffer(startOffset, endOffset, sbType) { + var sourceBuffer = this.sourceBuffer; // exit if no sourceBuffers are initialized + if (!Object.keys(sourceBuffer).length) { + return true; + } + var currentTime = 'null'; + if (this.media) { + currentTime = this.media.currentTime.toFixed(3); + } + logger["logger"].log("flushBuffer,pos/start/end: " + currentTime + "/" + startOffset + "/" + endOffset); // safeguard to avoid infinite looping : don't try to flush more than the nb of appended segments + if (this.flushBufferCounter >= this.appended) { + logger["logger"].warn('abort flushing too many retries'); + return true; + } + var sb = sourceBuffer[sbType]; // we are going to flush buffer, mark source buffer as 'not ended' -// see https://stackoverflow.com/a/11237259/589493 - var global = Object(get_self_scope["a" /* getSelfScope */])(); // safeguard for code that might run both on worker and main thread + if (sb) { + sb.ended = false; - var decrypter_Decrypter = function () { - function Decrypter(observer, config) { - var _ref = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : {}, - _ref$removePKCS7Paddi = _ref.removePKCS7Padding, - removePKCS7Padding = _ref$removePKCS7Paddi === undefined ? true : _ref$removePKCS7Paddi; + if (!sb.updating) { + if (this.removeBufferRange(sbType, sb, startOffset, endOffset)) { + this.flushBufferCounter++; + return false; + } + } else { + logger["logger"].warn('cannot flush, sb updating in progress'); + return false; + } + } - decrypter__classCallCheck(this, Decrypter); + logger["logger"].log('buffer flushed'); // everything flushed ! - this.logEnabled = true; - this.observer = observer; - this.config = config; - this.removePKCS7Padding = removePKCS7Padding; - // built in decryptor expects PKCS7 padding - if (removePKCS7Padding) { - try { - var browserCrypto = global.crypto; - if (browserCrypto) { - this.subtle = browserCrypto.subtle || browserCrypto.webkitSubtle; + return true; } - } catch (e) {} - } - this.disableWebCrypto = !this.subtle; - } + /** + * Removes first buffered range from provided source buffer that lies within given start and end offsets. + * + * @param {string} type Type of the source buffer, logging purposes only. + * @param {SourceBuffer} sb Target SourceBuffer instance. + * @param {number} startOffset + * @param {number} endOffset + * + * @returns {boolean} True when source buffer remove requested. + */ + ; + + _proto.removeBufferRange = function removeBufferRange(type, sb, startOffset, endOffset) { + try { + for (var i = 0; i < sb.buffered.length; i++) { + var bufStart = sb.buffered.start(i); + var bufEnd = sb.buffered.end(i); + var removeStart = Math.max(bufStart, startOffset); + var removeEnd = Math.min(bufEnd, endOffset); + /* sometimes sourcebuffer.remove() does not flush + the exact expected time range. + to avoid rounding issues/infinite loop, + only flush buffer range of length greater than 500ms. + */ - Decrypter.prototype.isSync = function isSync() { - return this.disableWebCrypto && this.config.enableSoftwareAES; - }; + if (Math.min(removeEnd, bufEnd) - removeStart > 0.5) { + var currentTime = 'null'; - Decrypter.prototype.decrypt = function decrypt(data, key, iv, callback) { - var _this = this; + if (this.media) { + currentTime = this.media.currentTime.toString(); + } - if (this.disableWebCrypto && this.config.enableSoftwareAES) { - if (this.logEnabled) { - logger["b" /* logger */].log('JS AES decrypt'); - this.logEnabled = false; - } - var decryptor = this.decryptor; - if (!decryptor) { - this.decryptor = decryptor = new aes_decryptor(); - } + logger["logger"].log("sb remove " + type + " [" + removeStart + "," + removeEnd + "], of [" + bufStart + "," + bufEnd + "], pos:" + currentTime); + sb.remove(removeStart, removeEnd); + return true; + } + } + } catch (error) { + logger["logger"].warn('removeBufferRange failed', error); + } - decryptor.expandKey(key); - callback(decryptor.decrypt(data, 0, iv, this.removePKCS7Padding)); - } else { - if (this.logEnabled) { - logger["b" /* logger */].log('WebCrypto AES decrypt'); - this.logEnabled = false; - } - var subtle = this.subtle; - if (this.key !== key) { - this.key = key; - this.fastAesKey = new fast_aes_key(subtle, key); - } + return false; + }; - this.fastAesKey.expandKey().then(function (aesKey) { - // decrypt using web crypto - var crypto = new aes_crypto(subtle, iv); - crypto.decrypt(data, aesKey).catch(function (err) { - _this.onWebCryptoError(err, data, key, iv, callback); - }).then(function (result) { - callback(result); - }); - }).catch(function (err) { - _this.onWebCryptoError(err, data, key, iv, callback); - }); - } - }; + return BufferController; + }(event_handler); - Decrypter.prototype.onWebCryptoError = function onWebCryptoError(err, data, key, iv, callback) { - if (this.config.enableSoftwareAES) { - logger["b" /* logger */].log('WebCrypto Error, disable WebCrypto API'); - this.disableWebCrypto = true; - this.logEnabled = true; - this.decrypt(data, key, iv, callback); - } else { - logger["b" /* logger */].error('decrypting error : ' + err.message); - this.observer.trigger(events["a" /* default */].ERROR, { type: errors["b" /* ErrorTypes */].MEDIA_ERROR, details: errors["a" /* ErrorDetails */].FRAG_DECRYPT_ERROR, fatal: true, reason: err.message }); - } - }; + /* harmony default export */ var buffer_controller = (buffer_controller_BufferController); +// CONCATENATED MODULE: ./src/controller/cap-level-controller.js + function cap_level_controller_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); } } - Decrypter.prototype.destroy = function destroy() { - var decryptor = this.decryptor; - if (decryptor) { - decryptor.destroy(); - this.decryptor = undefined; - } - }; + function cap_level_controller_createClass(Constructor, protoProps, staticProps) { if (protoProps) cap_level_controller_defineProperties(Constructor.prototype, protoProps); if (staticProps) cap_level_controller_defineProperties(Constructor, staticProps); return Constructor; } - return Decrypter; - }(); + function cap_level_controller_inheritsLoose(subClass, superClass) { subClass.prototype = Object.create(superClass.prototype); subClass.prototype.constructor = subClass; subClass.__proto__ = superClass; } - /* harmony default export */ var decrypter = __webpack_exports__["a"] = (decrypter_Decrypter); + /* + * cap stream level to media size dimension controller +*/ - /***/ }), - /* 9 */ - /***/ (function(module, __webpack_exports__, __webpack_require__) { - "use strict"; - /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__utils_logger__ = __webpack_require__(0); - /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__events__ = __webpack_require__(1); - function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } - /** - * MP4 demuxer - */ + var cap_level_controller_CapLevelController = + /*#__PURE__*/ + function (_EventHandler) { + cap_level_controller_inheritsLoose(CapLevelController, _EventHandler); + function CapLevelController(hls) { + var _this; + _this = _EventHandler.call(this, hls, events["default"].FPS_DROP_LEVEL_CAPPING, events["default"].MEDIA_ATTACHING, events["default"].MANIFEST_PARSED, events["default"].BUFFER_CODECS, events["default"].MEDIA_DETACHING) || this; + _this.autoLevelCapping = Number.POSITIVE_INFINITY; + _this.firstLevel = null; + _this.levels = []; + _this.media = null; + _this.restrictedLevels = []; + _this.timer = null; + return _this; + } - var UINT32_MAX = Math.pow(2, 32) - 1; + var _proto = CapLevelController.prototype; - var MP4Demuxer = function () { - function MP4Demuxer(observer, remuxer) { - _classCallCheck(this, MP4Demuxer); + _proto.destroy = function destroy() { + if (this.hls.config.capLevelToPlayerSize) { + this.media = null; + this.stopCapping(); + } + }; - this.observer = observer; - this.remuxer = remuxer; - } + _proto.onFpsDropLevelCapping = function onFpsDropLevelCapping(data) { + // Don't add a restricted level more than once + if (CapLevelController.isLevelAllowed(data.droppedLevel, this.restrictedLevels)) { + this.restrictedLevels.push(data.droppedLevel); + } + }; - MP4Demuxer.prototype.resetTimeStamp = function resetTimeStamp(initPTS) { - this.initPTS = initPTS; - }; + _proto.onMediaAttaching = function onMediaAttaching(data) { + this.media = data.media instanceof window.HTMLVideoElement ? data.media : null; + }; - MP4Demuxer.prototype.resetInitSegment = function resetInitSegment(initSegment, audioCodec, videoCodec, duration) { - // jshint unused:false - if (initSegment && initSegment.byteLength) { - var initData = this.initData = MP4Demuxer.parseInitSegment(initSegment); + _proto.onManifestParsed = function onManifestParsed(data) { + var hls = this.hls; + this.restrictedLevels = []; + this.levels = data.levels; + this.firstLevel = data.firstLevel; - // default audio codec if nothing specified - // TODO : extract that from initsegment - if (audioCodec == null) { - audioCodec = 'mp4a.40.5'; - } + 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 + ; - if (videoCodec == null) { - videoCodec = 'avc1.42e01e'; - } + _proto.onBufferCodecs = function onBufferCodecs(data) { + var hls = this.hls; - var tracks = {}; - if (initData.audio && initData.video) { - tracks.audiovideo = { container: 'video/mp4', codec: audioCodec + ',' + videoCodec, initSegment: duration ? initSegment : null }; - } else { - if (initData.audio) { - tracks.audio = { container: 'audio/mp4', codec: audioCodec, initSegment: duration ? initSegment : null }; - } + 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(); + } + }; - if (initData.video) { - tracks.video = { container: 'video/mp4', codec: videoCodec, initSegment: duration ? initSegment : null }; - } - } - this.observer.trigger(__WEBPACK_IMPORTED_MODULE_1__events__["a" /* default */].FRAG_PARSING_INIT_SEGMENT, { tracks: tracks }); - } else { - if (audioCodec) { - this.audioCodec = audioCodec; - } + _proto.onLevelsUpdated = function onLevelsUpdated(data) { + this.levels = data.levels; + }; - if (videoCodec) { - this.videoCodec = videoCodec; - } - } - }; + _proto.onMediaDetaching = function onMediaDetaching() { + this.stopCapping(); + }; - MP4Demuxer.probe = function probe(data) { - // ensure we find a moof box in the first 16 kB - return MP4Demuxer.findBox({ data: data, start: 0, end: Math.min(data.length, 16384) }, ['moof']).length > 0; - }; + _proto.detectPlayerSize = function detectPlayerSize() { + if (this.media) { + var levelsLength = this.levels ? this.levels.length : 0; - MP4Demuxer.bin2str = function bin2str(buffer) { - return String.fromCharCode.apply(null, buffer); - }; + if (levelsLength) { + var hls = this.hls; + hls.autoLevelCapping = this.getMaxLevel(levelsLength - 1); - MP4Demuxer.readUint16 = function readUint16(buffer, offset) { - if (buffer.data) { - offset += buffer.start; - buffer = buffer.data; - } + if (hls.autoLevelCapping > this.autoLevelCapping) { + // 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. + hls.streamController.nextLevelSwitch(); + } - var val = buffer[offset] << 8 | buffer[offset + 1]; + 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) + */ + ; - return val < 0 ? 65536 + val : val; - }; + _proto.getMaxLevel = function getMaxLevel(capLevelIndex) { + var _this2 = this; - MP4Demuxer.readUint32 = function readUint32(buffer, offset) { - if (buffer.data) { - offset += buffer.start; - buffer = buffer.data; - } + if (!this.levels) { + return -1; + } - var val = buffer[offset] << 24 | buffer[offset + 1] << 16 | buffer[offset + 2] << 8 | buffer[offset + 3]; - return val < 0 ? 4294967296 + val : val; - }; + var validLevels = this.levels.filter(function (level, index) { + return CapLevelController.isLevelAllowed(index, _this2.restrictedLevels) && index <= capLevelIndex; + }); + return CapLevelController.getMaxLevelByMediaSize(validLevels, this.mediaWidth, this.mediaHeight); + }; - MP4Demuxer.writeUint32 = function writeUint32(buffer, offset, value) { - if (buffer.data) { - 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; - }; + _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; + } - // Find the data for a box specified by its path + this.autoLevelCapping = Number.POSITIVE_INFINITY; + this.hls.firstLevel = this.getMaxLevel(this.firstLevel); + clearInterval(this.timer); + this.timer = setInterval(this.detectPlayerSize.bind(this), 1000); + this.detectPlayerSize(); + }; + _proto.stopCapping = function stopCapping() { + this.restrictedLevels = []; + this.firstLevel = null; + this.autoLevelCapping = Number.POSITIVE_INFINITY; - MP4Demuxer.findBox = function findBox(data, path) { - var results = [], - i = void 0, - size = void 0, - type = void 0, - end = void 0, - subresults = void 0, - start = void 0, - endbox = void 0; + if (this.timer) { + this.timer = clearInterval(this.timer); + this.timer = null; + } + }; - if (data.data) { - start = data.start; - end = data.end; - data = data.data; - } else { - start = 0; - end = data.byteLength; - } + CapLevelController.isLevelAllowed = function isLevelAllowed(level, restrictedLevels) { + if (restrictedLevels === void 0) { + restrictedLevels = []; + } - if (!path.length) { - // short-circuit the search for empty paths - return null; - } + return restrictedLevels.indexOf(level) === -1; + }; - for (i = start; i < end;) { - size = MP4Demuxer.readUint32(data, i); - type = MP4Demuxer.bin2str(data.subarray(i + 4, i + 8)); - endbox = size > 1 ? i + size : end; + CapLevelController.getMaxLevelByMediaSize = function getMaxLevelByMediaSize(levels, width, height) { + if (!levels || 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 - 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 - subresults = MP4Demuxer.findBox({ data: data, start: i + 8, end: endbox }, path.slice(1)); - if (subresults.length) { - results = results.concat(subresults); - } - } - } - i = endbox; - } - // we've finished searching all of data - return results; - }; + var atGreatestBandiwdth = function atGreatestBandiwdth(curLevel, nextLevel) { + if (!nextLevel) { + return true; + } - MP4Demuxer.parseSegmentIndex = function parseSegmentIndex(initSegment) { - var moov = MP4Demuxer.findBox(initSegment, ['moov'])[0]; - var moovEndOffset = moov ? moov.end : null; // we need this in case we need to chop of garbage of the end of current data + 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 index = 0; - var sidx = MP4Demuxer.findBox(initSegment, ['sidx']); - var references = void 0; - if (!sidx || !sidx[0]) { - return null; - } + var maxLevelIndex = levels.length - 1; + + for (var i = 0; i < levels.length; i += 1) { + var level = levels[i]; - references = []; - sidx = sidx[0]; + if ((level.width >= width || level.height >= height) && atGreatestBandiwdth(level, levels[i + 1])) { + maxLevelIndex = i; + break; + } + } - var version = sidx.data[0]; + return maxLevelIndex; + }; - // set initial offset, we skip the reference ID (not needed) - index = version === 0 ? 8 : 16; + cap_level_controller_createClass(CapLevelController, [{ + key: "mediaWidth", + get: function get() { + var width; + var media = this.media; - var timescale = MP4Demuxer.readUint32(sidx, index); - index += 4; + if (media) { + width = media.width || media.clientWidth || media.offsetWidth; + width *= CapLevelController.contentScaleFactor; + } - // TODO: parse earliestPresentationTime and firstOffset - // usually zero in our case - var earliestPresentationTime = 0; - var firstOffset = 0; + return width; + } + }, { + key: "mediaHeight", + get: function get() { + var height; + var media = this.media; + + if (media) { + height = media.height || media.clientHeight || media.offsetHeight; + height *= CapLevelController.contentScaleFactor; + } - if (version === 0) { - index += 8; - } else { - index += 16; - } + return height; + } + }], [{ + key: "contentScaleFactor", + get: function get() { + var pixelRatio = 1; - // skip reserved - index += 2; + try { + pixelRatio = window.devicePixelRatio; + } catch (e) {} - var startByte = sidx.end + firstOffset; + return pixelRatio; + } + }]); - var referencesCount = MP4Demuxer.readUint16(sidx, index); - index += 2; + return CapLevelController; + }(event_handler); - for (var i = 0; i < referencesCount; i++) { - var referenceIndex = index; + /* harmony default export */ var cap_level_controller = (cap_level_controller_CapLevelController); +// CONCATENATED MODULE: ./src/controller/fps-controller.js + function fps_controller_inheritsLoose(subClass, superClass) { subClass.prototype = Object.create(superClass.prototype); subClass.prototype.constructor = subClass; subClass.__proto__ = superClass; } - var referenceInfo = MP4Demuxer.readUint32(sidx, referenceIndex); - referenceIndex += 4; + /* + * FPS Controller +*/ - var referenceSize = referenceInfo & 0x7FFFFFFF; - var referenceType = (referenceInfo & 0x80000000) >>> 31; - if (referenceType === 1) { - console.warn('SIDX has hierarchical references (not supported)'); - return; - } - var subsegmentDuration = MP4Demuxer.readUint32(sidx, referenceIndex); - referenceIndex += 4; + var fps_controller_window = window, + fps_controller_performance = fps_controller_window.performance; - references.push({ - referenceSize: referenceSize, - subsegmentDuration: subsegmentDuration, // unscaled - info: { - duration: subsegmentDuration / timescale, - start: startByte, - end: startByte + referenceSize - 1 + var fps_controller_FPSController = + /*#__PURE__*/ + function (_EventHandler) { + fps_controller_inheritsLoose(FPSController, _EventHandler); + + function FPSController(hls) { + return _EventHandler.call(this, hls, events["default"].MEDIA_ATTACHING) || this; } - }); - startByte += referenceSize; + var _proto = FPSController.prototype; - // Skipping 1 bit for |startsWithSap|, 3 bits for |sapType|, and 28 bits - // for |sapDelta|. - referenceIndex += 4; + _proto.destroy = function destroy() { + if (this.timer) { + clearInterval(this.timer); + } - // skip to next ref - index = referenceIndex; - } + this.isVideoPlaybackQualityAvailable = false; + }; - return { - earliestPresentationTime: earliestPresentationTime, - timescale: timescale, - version: version, - referencesCount: referencesCount, - references: references, - moovEndOffset: moovEndOffset - }; - }; + _proto.onMediaAttaching = function onMediaAttaching(data) { + var config = this.hls.config; - /** - * 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 init {Uint8Array} the bytes of the init segment - * @return {object} a hash of track type to timescale values or null if - * the init segment is malformed. - */ + if (config.capLevelOnFPSDrop) { + var video = this.video = data.media instanceof window.HTMLVideoElement ? data.media : null; + + if (typeof video.getVideoPlaybackQuality === 'function') { + this.isVideoPlaybackQualityAvailable = true; + } + clearInterval(this.timer); + this.timer = setInterval(this.checkFPSInterval.bind(this), config.fpsDroppedMonitoringPeriod); + } + }; - MP4Demuxer.parseInitSegment = function parseInitSegment(initSegment) { - var result = []; - var traks = MP4Demuxer.findBox(initSegment, ['moov', 'trak']); - - traks.forEach(function (trak) { - var tkhd = MP4Demuxer.findBox(trak, ['tkhd'])[0]; - if (tkhd) { - var version = tkhd.data[tkhd.start]; - var index = version === 0 ? 12 : 20; - var trackId = MP4Demuxer.readUint32(tkhd, index); - - var mdhd = MP4Demuxer.findBox(trak, ['mdia', 'mdhd'])[0]; - if (mdhd) { - version = mdhd.data[mdhd.start]; - index = version === 0 ? 12 : 20; - var timescale = MP4Demuxer.readUint32(mdhd, index); - - var hdlr = MP4Demuxer.findBox(trak, ['mdia', 'hdlr'])[0]; - if (hdlr) { - var hdlrType = MP4Demuxer.bin2str(hdlr.data.subarray(hdlr.start + 8, hdlr.start + 12)); - var type = { 'soun': 'audio', 'vide': 'video' }[hdlrType]; - if (type) { - // extract codec info. TODO : parse codec details to be able to build MIME type - var codecBox = MP4Demuxer.findBox(trak, ['mdia', 'minf', 'stbl', 'stsd']); - if (codecBox.length) { - codecBox = codecBox[0]; - var codecType = MP4Demuxer.bin2str(codecBox.data.subarray(codecBox.start + 12, codecBox.start + 16)); - __WEBPACK_IMPORTED_MODULE_0__utils_logger__["b" /* logger */].log('MP4Demuxer:' + type + ':' + codecType + ' found'); + _proto.checkFPS = function checkFPS(video, decodedFrames, droppedFrames) { + var currentTime = fps_controller_performance.now(); + + if (decodedFrames) { + if (this.lastTime) { + var currentPeriod = currentTime - this.lastTime, + currentDropped = droppedFrames - this.lastDroppedFrames, + currentDecoded = decodedFrames - this.lastDecodedFrames, + droppedFPS = 1000 * currentDropped / currentPeriod, + hls = this.hls; + hls.trigger(events["default"].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; + logger["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["default"].FPS_DROP_LEVEL_CAPPING, { + level: currentLevel, + droppedLevel: hls.currentLevel + }); + hls.autoLevelCapping = currentLevel; + hls.streamController.nextLevelSwitch(); + } + } } - result[trackId] = { timescale: timescale, type: type }; - result[type] = { timescale: timescale, id: trackId }; } - } - } - } - }); - 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 timescale {object} a hash of track ids to timescale values. - * @return {number} the earliest base media decode start time for the - * fragment, in seconds - */ + this.lastTime = currentTime; + this.lastDroppedFrames = droppedFrames; + this.lastDecodedFrames = decodedFrames; + } + }; + _proto.checkFPSInterval = function checkFPSInterval() { + var video = this.video; - MP4Demuxer.getStartDTS = function getStartDTS(initData, fragment) { - var trafs = void 0, - baseTimes = void 0, - result = void 0; + if (video) { + if (this.isVideoPlaybackQualityAvailable) { + var videoPlaybackQuality = video.getVideoPlaybackQuality(); + this.checkFPS(video, videoPlaybackQuality.totalVideoFrames, videoPlaybackQuality.droppedVideoFrames); + } else { + this.checkFPS(video, video.webkitDecodedFrameCount, video.webkitDroppedFrameCount); + } + } + }; - // we need info from two childrend of each track fragment box - trafs = MP4Demuxer.findBox(fragment, ['moof', 'traf']); + return FPSController; + }(event_handler); - // determine the start times for each track - baseTimes = [].concat.apply([], trafs.map(function (traf) { - return MP4Demuxer.findBox(traf, ['tfhd']).map(function (tfhd) { - var id = void 0, - scale = void 0, - baseTime = void 0; + /* harmony default export */ var fps_controller = (fps_controller_FPSController); +// CONCATENATED MODULE: ./src/utils/xhr-loader.js + /** + * XHR based logger + */ - // get the track id from the tfhd - id = MP4Demuxer.readUint32(tfhd, 4); - // assume a 90kHz clock if no timescale was specified - scale = initData[id].timescale || 90e3; + var xhr_loader_window = window, + xhr_loader_performance = xhr_loader_window.performance, + xhr_loader_XMLHttpRequest = xhr_loader_window.XMLHttpRequest; - // get the base media decode time from the tfdt - baseTime = MP4Demuxer.findBox(traf, ['tfdt']).map(function (tfdt) { - var version = void 0, - result = void 0; - - version = tfdt.data[tfdt.start]; - result = MP4Demuxer.readUint32(tfdt, 4); - if (version === 1) { - result *= Math.pow(2, 32); - - result += MP4Demuxer.readUint32(tfdt, 8); + var xhr_loader_XhrLoader = + /*#__PURE__*/ + function () { + function XhrLoader(config) { + if (config && config.xhrSetup) { + this.xhrSetup = config.xhrSetup; } - return result; - })[0]; - // convert base time to seconds - return baseTime / scale; - }); - })); + } - // return the minimum - result = Math.min.apply(null, baseTimes); - return isFinite(result) ? result : 0; - }; + var _proto = XhrLoader.prototype; - MP4Demuxer.offsetStartDTS = function offsetStartDTS(initData, fragment, timeOffset) { - MP4Demuxer.findBox(fragment, ['moof', 'traf']).map(function (traf) { - return MP4Demuxer.findBox(traf, ['tfhd']).map(function (tfhd) { - // get the track id from the tfhd - var id = MP4Demuxer.readUint32(tfhd, 4); - // assume a 90kHz clock if no timescale was specified - var timescale = initData[id].timescale || 90e3; - - // get the base media decode time from the tfdt - MP4Demuxer.findBox(traf, ['tfdt']).map(function (tfdt) { - var version = tfdt.data[tfdt.start]; - var baseMediaDecodeTime = MP4Demuxer.readUint32(tfdt, 4); - if (version === 0) { - MP4Demuxer.writeUint32(tfdt, 4, baseMediaDecodeTime - timeOffset * timescale); - } else { - baseMediaDecodeTime *= Math.pow(2, 32); - baseMediaDecodeTime += MP4Demuxer.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)); - MP4Demuxer.writeUint32(tfdt, 4, upper); - MP4Demuxer.writeUint32(tfdt, 8, lower); - } - }); - }); - }); - }; + _proto.destroy = function destroy() { + this.abort(); + this.loader = null; + }; - // feed incoming data to the front of the parsing pipeline + _proto.abort = function abort() { + var loader = this.loader; + if (loader && loader.readyState !== 4) { + this.stats.aborted = true; + loader.abort(); + } - MP4Demuxer.prototype.append = function append(data, timeOffset, contiguous, accurateTimeOffset) { - var initData = this.initData; - if (!initData) { - this.resetInitSegment(data, this.audioCodec, this.videoCodec, false); - initData = this.initData; - } - var startDTS = void 0, - initPTS = this.initPTS; - if (initPTS === undefined) { - var _startDTS = MP4Demuxer.getStartDTS(initData, data); - this.initPTS = initPTS = _startDTS - timeOffset; - this.observer.trigger(__WEBPACK_IMPORTED_MODULE_1__events__["a" /* default */].INIT_PTS_FOUND, { initPTS: initPTS }); - } - MP4Demuxer.offsetStartDTS(initData, data, initPTS); - startDTS = MP4Demuxer.getStartDTS(initData, data); - this.remuxer.remux(initData.audio, initData.video, null, null, startDTS, contiguous, accurateTimeOffset, data); - }; + window.clearTimeout(this.requestTimeout); + this.requestTimeout = null; + window.clearTimeout(this.retryTimeout); + this.retryTimeout = null; + }; - MP4Demuxer.prototype.destroy = function destroy() {}; + _proto.load = function load(context, config, callbacks) { + this.context = context; + this.config = config; + this.callbacks = callbacks; + this.stats = { + trequest: xhr_loader_performance.now(), + retry: 0 + }; + this.retryDelay = config.retryDelay; + this.loadInternal(); + }; - return MP4Demuxer; - }(); + _proto.loadInternal = function loadInternal() { + var xhr, + context = this.context; + xhr = this.loader = new xhr_loader_XMLHttpRequest(); + var stats = this.stats; + stats.tfirst = 0; + stats.loaded = 0; + var xhrSetup = this.xhrSetup; - /* harmony default export */ __webpack_exports__["a"] = (MP4Demuxer); + 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); + } + } - /***/ }), - /* 10 */ - /***/ (function(module, __webpack_exports__, __webpack_require__) { + 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; + } - "use strict"; + if (context.rangeEnd) { + xhr.setRequestHeader('Range', 'bytes=' + context.rangeStart + '-' + (context.rangeEnd - 1)); + } -// EXTERNAL MODULE: ./src/events.js - var events = __webpack_require__(1); + xhr.onreadystatechange = this.readystatechange.bind(this); + xhr.onprogress = this.loadprogress.bind(this); + xhr.responseType = context.responseType; // setup timeout before we perform request -// EXTERNAL MODULE: ./src/errors.js - var errors = __webpack_require__(2); + this.requestTimeout = window.setTimeout(this.loadtimeout.bind(this), this.config.timeout); + xhr.send(); + }; -// EXTERNAL MODULE: ./src/crypt/decrypter.js + 3 modules - var crypt_decrypter = __webpack_require__(8); + _proto.readystatechange = function readystatechange(event) { + var xhr = event.currentTarget, + readyState = xhr.readyState, + stats = this.stats, + context = this.context, + config = this.config; // don't proceed if xhr has been aborted -// EXTERNAL MODULE: ./src/polyfills/number-isFinite.js - var number_isFinite = __webpack_require__(3); + if (stats.aborted) { + return; + } // >= HEADERS_RECEIVED -// EXTERNAL MODULE: ./src/utils/logger.js - var logger = __webpack_require__(0); -// EXTERNAL MODULE: ./src/utils/get-self-scope.js - var get_self_scope = __webpack_require__(4); + if (readyState >= 2) { + // clear xhr timeout and rearm it if readyState less than 4 + window.clearTimeout(this.requestTimeout); -// CONCATENATED MODULE: ./src/demux/adts.js - /** - * ADTS parser helper - */ + if (stats.tfirst === 0) { + stats.tfirst = Math.max(xhr_loader_performance.now(), stats.trequest); + } + if (readyState === 4) { + var status = xhr.status; // http status between 200 to 299 are all successful + if (status >= 200 && status < 300) { + stats.tload = Math.max(stats.tfirst, xhr_loader_performance.now()); + var data, len; + if (context.responseType === 'arraybuffer') { + data = xhr.response; + len = data.byteLength; + } else { + data = xhr.responseText; + len = data.length; + } + stats.loaded = stats.total = len; + 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) { + logger["logger"].error(status + " while loading " + context.url); + this.callbacks.onError({ + code: status, + text: xhr.statusText + }, context, xhr); + } else { + // retry + logger["logger"].warn(status + " while loading " + context.url + ", retrying in " + this.retryDelay + "..."); // aborts and resets internal state + this.destroy(); // schedule retry + this.retryTimeout = window.setTimeout(this.loadInternal.bind(this), this.retryDelay); // set exponential backoff - function getAudioConfig(observer, data, offset, audioCodec) { - var adtsObjectType = void 0, - // :int - adtsSampleingIndex = void 0, - // :int - adtsExtensionSampleingIndex = void 0, - // :int - adtsChanelConfig = void 0, - // :int - config = void 0, - userAgent = navigator.userAgent.toLowerCase(), - manifestCodec = audioCodec, - adtsSampleingRates = [96000, 88200, 64000, 48000, 44100, 32000, 24000, 22050, 16000, 12000, 11025, 8000, 7350]; - // byte 2 - adtsObjectType = ((data[offset + 2] & 0xC0) >>> 6) + 1; - adtsSampleingIndex = (data[offset + 2] & 0x3C) >>> 2; - if (adtsSampleingIndex > adtsSampleingRates.length - 1) { - observer.trigger(events["a" /* default */].ERROR, { type: errors["b" /* ErrorTypes */].MEDIA_ERROR, details: errors["a" /* 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; - logger["b" /* 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 }; - } + 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 + this.requestTimeout = window.setTimeout(this.loadtimeout.bind(this), config.timeout); + } + } + }; - function isHeaderPattern(data, offset) { - return data[offset] === 0xff && (data[offset + 1] & 0xf6) === 0xf0; - } + _proto.loadtimeout = function loadtimeout() { + logger["logger"].warn("timeout while loading " + this.context.url); + this.callbacks.onTimeout(this.stats, this.context, null); + }; - function getHeaderLength(data, offset) { - return data[offset + 1] & 0x01 ? 7 : 9; - } + _proto.loadprogress = function loadprogress(event) { + var xhr = event.currentTarget, + stats = this.stats; + stats.loaded = event.loaded; - function getFullFrameLength(data, offset) { - return (data[offset + 3] & 0x03) << 11 | data[offset + 4] << 3 | (data[offset + 5] & 0xE0) >>> 5; - } + if (event.lengthComputable) { + stats.total = event.total; + } - 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 - if (offset + 1 < data.length && isHeaderPattern(data, offset)) { - return true; - } + var onProgress = this.callbacks.onProgress; - return false; - } + if (onProgress) { + // third arg is to provide on progress data + onProgress(stats, this.context, null, xhr); + } + }; - function adts_probe(data, offset) { - // same as isHeader but we also check that ADTS frame follows last ADTS frame - // or end of data is reached - if (offset + 1 < data.length && isHeaderPattern(data, offset)) { - // ADTS header Length - var headerLength = getHeaderLength(data, offset); - // ADTS frame Length - var frameLength = headerLength; - if (offset + 5 < data.length) { - frameLength = getFullFrameLength(data, offset); - } + return XhrLoader; + }(); - var newOffset = offset + frameLength; - if (newOffset === data.length || newOffset + 1 < data.length && isHeaderPattern(data, newOffset)) { - return true; - } - } - return false; - } + /* harmony default export */ var xhr_loader = (xhr_loader_XhrLoader); +// CONCATENATED MODULE: ./src/controller/audio-track-controller.js + function audio_track_controller_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 initTrackConfig(track, observer, data, offset, audioCodec) { - if (!track.samplerate) { - var config = getAudioConfig(observer, data, offset, audioCodec); - track.config = config.config; - track.samplerate = config.samplerate; - track.channelCount = config.channelCount; - track.codec = config.codec; - track.manifestCodec = config.manifestCodec; - logger["b" /* logger */].log('parsed codec:' + track.codec + ',rate:' + config.samplerate + ',nb channel:' + config.channelCount); - } - } + function audio_track_controller_createClass(Constructor, protoProps, staticProps) { if (protoProps) audio_track_controller_defineProperties(Constructor.prototype, protoProps); if (staticProps) audio_track_controller_defineProperties(Constructor, staticProps); return Constructor; } - function getFrameDuration(samplerate) { - return 1024 * 90000 / samplerate; - } + function audio_track_controller_inheritsLoose(subClass, superClass) { subClass.prototype = Object.create(superClass.prototype); subClass.prototype.constructor = subClass; subClass.__proto__ = superClass; } - function parseFrameHeader(data, offset, pts, frameIndex, frameDuration) { - var headerLength = void 0, - frameLength = void 0, - stamp = void 0; - 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 - headerLength = getHeaderLength(data, offset); - // retrieve frame size - frameLength = getFullFrameLength(data, offset); - frameLength -= headerLength; - if (frameLength > 0 && offset + headerLength + frameLength <= length) { - 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 }; - } - return undefined; - } - 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; + /** + * @class AudioTrackController + * @implements {EventHandler} + * + * Handles main manifest and audio-track metadata loaded, + * owns and exposes the selectable audio-tracks data-models. + * + * Exposes internal interface to select available audio-tracks. + * + * Handles errors on loading audio-track playlists. Manages fallback mechanism + * with redundants tracks (group-IDs). + * + * Handles level-loading and group-ID switches for video (fallback on video levels), + * and eventually adapts the audio-track group-ID to match. + * + * @fires AUDIO_TRACK_LOADING + * @fires AUDIO_TRACK_SWITCHING + * @fires AUDIO_TRACKS_UPDATED + * @fires ERROR + * + */ - // 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 - }; + var audio_track_controller_AudioTrackController = + /*#__PURE__*/ + function (_TaskLoop) { + audio_track_controller_inheritsLoose(AudioTrackController, _TaskLoop); + + function AudioTrackController(hls) { + var _this; + + _this = _TaskLoop.call(this, hls, events["default"].MANIFEST_LOADING, events["default"].MANIFEST_PARSED, events["default"].AUDIO_TRACK_LOADED, events["default"].AUDIO_TRACK_SWITCHED, events["default"].LEVEL_LOADED, events["default"].ERROR) || this; + /** + * @private + * Currently selected index in `tracks` + * @member {number} trackId + */ + + _this._trackId = -1; + /** + * @private + * If should select tracks according to default track attribute + * @member {boolean} _selectDefaultTrack + */ + + _this._selectDefaultTrack = true; + /** + * @public + * All tracks available + * @member {AudioTrack[]} + */ + + _this.tracks = []; + /** + * @public + * List of blacklisted audio track IDs (that have caused failure) + * @member {number[]} + */ + + _this.trackIdBlacklist = Object.create(null); + /** + * @public + * The currently running group ID for audio + * (we grab this on manifest-parsed and new level-loaded) + * @member {string} + */ + + _this.audioGroupId = null; + return _this; + } + /** + * Reset audio tracks on new manifest loading. + */ - track.samples.push(aacSample); - track.len += frameLength; - return { sample: aacSample, length: frameLength + headerLength }; - } + var _proto = AudioTrackController.prototype; - return undefined; - } -// EXTERNAL MODULE: ./src/demux/id3.js - var id3 = __webpack_require__(6); + _proto.onManifestLoading = function onManifestLoading() { + this.tracks = []; + this._trackId = -1; + this._selectDefaultTrack = true; + } + /** + * Store tracks data from manifest parsed data. + * + * Trigger AUDIO_TRACKS_UPDATED event. + * + * @param {*} data + */ + ; + + _proto.onManifestParsed = function onManifestParsed(data) { + var tracks = this.tracks = data.audioTracks || []; + this.hls.trigger(events["default"].AUDIO_TRACKS_UPDATED, { + audioTracks: tracks + }); -// CONCATENATED MODULE: ./src/demux/aacdemuxer.js + this._selectAudioGroup(this.hls.nextLoadLevel); + } + /** + * Store track details of loaded track in our data-model. + * + * Set-up metadata update interval task for live-mode streams. + * + * @param {*} data + */ + ; + + _proto.onAudioTrackLoaded = function onAudioTrackLoaded(data) { + if (data.id >= this.tracks.length) { + logger["logger"].warn('Invalid audio track id:', data.id); + return; + } + logger["logger"].log("audioTrack " + data.id + " loaded"); + this.tracks[data.id].details = data.details; // check if current playlist is a live playlist + // and if we have already our reload interval setup - function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + if (data.details.live && !this.hasInterval()) { + // if live playlist we will have to reload it periodically + // set reload period to playlist target duration + var updatePeriodMs = data.details.targetduration * 1000; + this.setInterval(updatePeriodMs); + } - /** - * AAC demuxer - */ + if (!data.details.live && this.hasInterval()) { + // playlist is not live and timer is scheduled: cancel it + this.clearInterval(); + } + } + /** + * Update the internal group ID to any audio-track we may have set manually + * or because of a failure-handling fallback. + * + * Quality-levels should update to that group ID in this case. + * + * @param {*} data + */ + ; + + _proto.onAudioTrackSwitched = function onAudioTrackSwitched(data) { + var audioGroupId = this.tracks[data.id].groupId; + + if (audioGroupId && this.audioGroupId !== audioGroupId) { + this.audioGroupId = audioGroupId; + } + } + /** + * When a level gets loaded, if it has redundant audioGroupIds (in the same ordinality as it's redundant URLs) + * we are setting our audio-group ID internally to the one set, if it is different from the group ID currently set. + * + * If group-ID got update, we re-select the appropriate audio-track with this group-ID matching the currently + * selected one (based on NAME property). + * + * @param {*} data + */ + ; + + _proto.onLevelLoaded = function onLevelLoaded(data) { + this._selectAudioGroup(data.level); + } + /** + * Handle network errors loading audio track manifests + * and also pausing on any netwok errors. + * + * @param {ErrorEventData} data + */ + ; + + _proto.onError = function onError(data) { + // Only handle network errors + if (data.type !== errors["ErrorTypes"].NETWORK_ERROR) { + return; + } // If fatal network error, cancel update task + if (data.fatal) { + this.clearInterval(); + } // If not an audio-track loading error don't handle further - var aacdemuxer_AACDemuxer = function () { - function AACDemuxer(observer, remuxer, config) { - _classCallCheck(this, AACDemuxer); + if (data.details !== errors["ErrorDetails"].AUDIO_TRACK_LOAD_ERROR) { + return; + } - this.observer = observer; - this.config = config; - this.remuxer = remuxer; - } + logger["logger"].warn('Network failure on audio-track id:', data.context.id); - AACDemuxer.prototype.resetInitSegment = function resetInitSegment(initSegment, audioCodec, videoCodec, duration) { - this._audioTrack = { container: 'audio/adts', type: 'audio', id: 0, sequenceNumber: 0, isAAC: true, samples: [], len: 0, manifestCodec: audioCodec, duration: duration, inputTimeScale: 90000 }; - }; + this._handleLoadError(); + } + /** + * @type {AudioTrack[]} Audio-track list we own + */ + ; + + /** + * @private + * @param {number} newId + */ + _proto._setAudioTrack = function _setAudioTrack(newId) { + // noop on same audio track id as already set + if (this._trackId === newId && this.tracks[this._trackId].details) { + logger["logger"].debug('Same id as current audio-track passed, and track details available -> no-op'); + return; + } // check if level idx is valid - AACDemuxer.prototype.resetTimeStamp = function resetTimeStamp() {}; - AACDemuxer.probe = function probe(data) { - if (!data) { - return false; - } + if (newId < 0 || newId >= this.tracks.length) { + logger["logger"].warn('Invalid id passed to audio-track controller'); + return; + } - // 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 = id3["a" /* default */].getID3Data(data, 0) || []; - var offset = id3Data.length; + var audioTrack = this.tracks[newId]; + logger["logger"].log("Now switching to audio-track index " + newId); // stopping live reloading timer if any - for (var length = data.length; offset < length; offset++) { - if (adts_probe(data, offset)) { - logger["b" /* logger */].log('ADTS sync word found !'); - return true; - } - } - return false; - }; + this.clearInterval(); + this._trackId = newId; + var url = audioTrack.url, + type = audioTrack.type, + id = audioTrack.id; + this.hls.trigger(events["default"].AUDIO_TRACK_SWITCHING, { + id: id, + type: type, + url: url + }); - // feed incoming data to the front of the parsing pipeline - - - AACDemuxer.prototype.append = function append(data, timeOffset, contiguous, accurateTimeOffset) { - var track = this._audioTrack; - var id3Data = id3["a" /* default */].getID3Data(data, 0) || []; - var timestamp = id3["a" /* default */].getTimeStamp(id3Data); - var pts = Object(number_isFinite["a" /* isFiniteNumber */])(timestamp) ? timestamp * 90 : timeOffset * 90000; - var frameIndex = 0; - var stamp = pts; - var length = data.length; - var offset = id3Data.length; - - var id3Samples = [{ pts: stamp, dts: stamp, data: id3Data }]; - - while (offset < length - 1) { - if (isHeader(data, offset) && offset + 5 < length) { - initTrackConfig(track, this.observer, data, offset, track.manifestCodec); - var frame = appendFrame(track, data, offset, pts, frameIndex); - if (frame) { - offset += frame.length; - stamp = frame.sample.pts; - frameIndex++; - } else { - logger["b" /* logger */].log('Unable to parse AAC frame'); - break; + this._loadTrackDetailsIfNeeded(audioTrack); } - } else if (id3["a" /* default */].isHeader(data, offset)) { - id3Data = id3["a" /* default */].getID3Data(data, offset); - id3Samples.push({ pts: stamp, dts: stamp, data: id3Data }); - offset += id3Data.length; - } else { - // nothing found, keep looking - offset++; - } - } + /** + * @override + */ + ; - this.remuxer.remux(track, { samples: [] }, { samples: id3Samples, inputTimeScale: 90000 }, { samples: [] }, timeOffset, contiguous, accurateTimeOffset); - }; + _proto.doTick = function doTick() { + this._updateTrack(this._trackId); + } + /** + * @param levelId + * @private + */ + ; - AACDemuxer.prototype.destroy = function destroy() {}; + _proto._selectAudioGroup = function _selectAudioGroup(levelId) { + var levelInfo = this.hls.levels[levelId]; - return AACDemuxer; - }(); + if (!levelInfo || !levelInfo.audioGroupIds) { + return; + } - /* harmony default export */ var aacdemuxer = (aacdemuxer_AACDemuxer); -// EXTERNAL MODULE: ./src/demux/mp4demuxer.js - var mp4demuxer = __webpack_require__(9); + var audioGroupId = levelInfo.audioGroupIds[levelInfo.urlId]; -// CONCATENATED MODULE: ./src/demux/mpegaudio.js - /** - * MPEG parser helper - */ + if (this.audioGroupId !== audioGroupId) { + this.audioGroupId = audioGroupId; - var MpegAudio = { - - 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], - - SamplingRateMap: [44100, 48000, 32000, 22050, 24000, 16000, 11025, 12000, 8000], - - 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 - ]], - - BytesInSlot: [0, // Reserved - 1, // Layer3 - 1, // Layer2 - 4 // Layer1 - ], + this._selectInitialAudioTrack(); + } + } + /** + * Select initial track + * @private + */ + ; - appendFrame: function appendFrame(track, data, offset, pts, frameIndex) { - // Using http://www.datavoyage.com/mpgscript/mpeghdr.htm as a reference - if (offset + 24 > data.length) { - return undefined; - } + _proto._selectInitialAudioTrack = function _selectInitialAudioTrack() { + var _this2 = this; - var header = this.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 }; + var tracks = this.tracks; - track.config = []; - track.channelCount = header.channelCount; - track.samplerate = header.sampleRate; - track.samples.push(sample); - track.len += header.frameLength; + if (!tracks.length) { + return; + } - return { sample: sample, length: header.frameLength }; - } + var currentAudioTrack = this.tracks[this._trackId]; + var name = null; - return undefined; - }, + if (currentAudioTrack) { + name = currentAudioTrack.name; + } // Pre-select default tracks if there are any - parseHeader: function parseHeader(data, offset) { - var headerB = data[offset + 1] >> 3 & 3; - var headerC = data[offset + 1] >> 1 & 3; - var headerE = data[offset + 2] >> 4 & 15; - var headerF = data[offset + 2] >> 2 & 3; - var headerG = data[offset + 2] >> 1 & 1; - if (headerB !== 1 && headerE !== 0 && headerE !== 15 && headerF !== 3) { - var columnInBitrates = headerB === 3 ? 3 - headerC : headerC === 3 ? 3 : 4; - var bitRate = MpegAudio.BitratesMap[columnInBitrates * 14 + headerE - 1] * 1000; - var columnInSampleRates = headerB === 3 ? 0 : headerB === 2 ? 1 : 2; - var sampleRate = MpegAudio.SamplingRateMap[columnInSampleRates * 3 + headerF]; - var channelCount = data[offset + 3] >> 6 === 3 ? 1 : 2; // If bits of channel mode are `11` then it is a single channel (Mono) - var sampleCoefficient = MpegAudio.SamplesCoefficients[headerB][headerC]; - var bytesInSlot = MpegAudio.BytesInSlot[headerC]; - var samplesPerFrame = sampleCoefficient * 8 * bytesInSlot; - var frameLength = parseInt(sampleCoefficient * bitRate / sampleRate + headerG, 10) * bytesInSlot; - - return { sampleRate: sampleRate, channelCount: channelCount, frameLength: frameLength, samplesPerFrame: samplesPerFrame }; - } - return undefined; - }, + if (this._selectDefaultTrack) { + var defaultTracks = tracks.filter(function (track) { + return track.default; + }); - isHeaderPattern: function isHeaderPattern(data, offset) { - return data[offset] === 0xff && (data[offset + 1] & 0xe0) === 0xe0 && (data[offset + 1] & 0x06) !== 0x00; - }, + if (defaultTracks.length) { + tracks = defaultTracks; + } else { + logger["logger"].warn('No default audio tracks defined'); + } + } - isHeader: 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 - if (offset + 1 < data.length && this.isHeaderPattern(data, offset)) { - return true; - } + var trackFound = false; - return false; - }, + var traverseTracks = function traverseTracks() { + // Select track with right group ID + tracks.forEach(function (track) { + if (trackFound) { + return; + } // We need to match the (pre-)selected group ID + // and the NAME of the current track. - probe: 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 && this.isHeaderPattern(data, offset)) { - // MPEG header Length - var headerLength = 4; - // MPEG frame Length - var header = this.parseHeader(data, offset); - var frameLength = headerLength; - if (header && header.frameLength) { - frameLength = header.frameLength; - } - var newOffset = offset + frameLength; - if (newOffset === data.length || newOffset + 1 < data.length && this.isHeaderPattern(data, newOffset)) { - return true; - } - } - return false; - } - }; + if ((!_this2.audioGroupId || track.groupId === _this2.audioGroupId) && (!name || name === track.name)) { + // If there was a previous track try to stay with the same `NAME`. + // It should be unique across tracks of same group, and consistent through redundant track groups. + _this2._setAudioTrack(track.id); - /* harmony default export */ var mpegaudio = (MpegAudio); -// CONCATENATED MODULE: ./src/demux/exp-golomb.js - function exp_golomb__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + trackFound = true; + } + }); + }; - /** - * Parser for exponential Golomb codes, a variable-bitwidth number encoding scheme used by h264. - */ + traverseTracks(); + if (!trackFound) { + name = null; + traverseTracks(); + } + if (!trackFound) { + logger["logger"].error("No track found for running audio group-ID: " + this.audioGroupId); + this.hls.trigger(events["default"].ERROR, { + type: errors["ErrorTypes"].MEDIA_ERROR, + details: errors["ErrorDetails"].AUDIO_TRACK_LOAD_ERROR, + fatal: true + }); + } + } + /** + * @private + * @param {AudioTrack} audioTrack + * @returns {boolean} + */ + ; + + _proto._needsTrackLoading = function _needsTrackLoading(audioTrack) { + var details = audioTrack.details, + url = audioTrack.url; + + if (!details || details.live) { + // check if we face an audio track embedded in main playlist (audio track without URI attribute) + return !!url; + } - var exp_golomb_ExpGolomb = function () { - function ExpGolomb(data) { - exp_golomb__classCallCheck(this, ExpGolomb); + return false; + } + /** + * @private + * @param {AudioTrack} audioTrack + */ + ; + + _proto._loadTrackDetailsIfNeeded = function _loadTrackDetailsIfNeeded(audioTrack) { + if (this._needsTrackLoading(audioTrack)) { + var url = audioTrack.url, + id = audioTrack.id; // track not retrieved yet, or live playlist we need to (re)load it + + logger["logger"].log("loading audio-track playlist for id: " + id); + this.hls.trigger(events["default"].AUDIO_TRACK_LOADING, { + url: url, + id: id + }); + } + } + /** + * @private + * @param {number} newId + */ + ; + + _proto._updateTrack = function _updateTrack(newId) { + // check if level idx is valid + if (newId < 0 || newId >= this.tracks.length) { + return; + } // stopping live reloading timer if any - 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 + this.clearInterval(); + this._trackId = newId; + logger["logger"].log("trying to update audio-track " + newId); + var audioTrack = this.tracks[newId]; + this._loadTrackDetailsIfNeeded(audioTrack); + } + /** + * @private + */ + ; + + _proto._handleLoadError = function _handleLoadError() { + // First, let's black list current track id + this.trackIdBlacklist[this._trackId] = true; // Let's try to fall back on a functional audio-track with the same group ID + + var previousId = this._trackId; + var _this$tracks$previous = this.tracks[previousId], + name = _this$tracks$previous.name, + language = _this$tracks$previous.language, + groupId = _this$tracks$previous.groupId; + logger["logger"].warn("Loading failed on audio track id: " + previousId + ", group-id: " + groupId + ", name/language: \"" + name + "\" / \"" + language + "\""); // Find a non-blacklisted track ID with the same NAME + // At least a track that is not blacklisted, thus on another group-ID. + + var newId = previousId; + + for (var i = 0; i < this.tracks.length; i++) { + if (this.trackIdBlacklist[i]) { + continue; + } - ExpGolomb.prototype.loadWord = function loadWord() { - var data = this.data, - bytesAvailable = this.bytesAvailable, - position = data.byteLength - bytesAvailable, - workingBytes = new Uint8Array(4), - availableBytes = Math.min(4, bytesAvailable); - if (availableBytes === 0) { - throw new Error('no bytes available'); - } + var newTrack = this.tracks[i]; - 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; - }; + if (newTrack.name === name) { + newId = i; + break; + } + } - // (count:int):void + if (newId === previousId) { + logger["logger"].warn("No fallback audio-track found for name/language: \"" + name + "\" / \"" + language + "\""); + return; + } + logger["logger"].log('Attempting audio-track fallback id:', newId, 'group-id:', this.tracks[newId].groupId); - ExpGolomb.prototype.skipBits = function skipBits(count) { - var skipBytes = void 0; // :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; - } - }; + this._setAudioTrack(newId); + }; - // (size:int):uint + audio_track_controller_createClass(AudioTrackController, [{ + key: "audioTracks", + get: function get() { + return this.tracks; + } + /** + * @type {number} Index into audio-tracks list of currently selected track. + */ + + }, { + key: "audioTrack", + get: function get() { + return this._trackId; + } + /** + * Select current track by index + */ + , + set: function set(newId) { + this._setAudioTrack(newId); // If audio track is selected from API then don't choose from the manifest default track - ExpGolomb.prototype.readBits = function readBits(size) { - var bits = Math.min(this.bitsAvailable, size), - // :uint - valu = this.word >>> 32 - bits; // :uint - if (size > 32) { - logger["b" /* logger */].error('Cannot read more than 32 bits at a time'); - } + this._selectDefaultTrack = false; + } + }]); - this.bitsAvailable -= bits; - if (this.bitsAvailable > 0) { - this.word <<= bits; - } else if (this.bytesAvailable > 0) { - this.loadWord(); - } + return AudioTrackController; + }(TaskLoop); - bits = size - bits; - if (bits > 0 && this.bitsAvailable) { - return valu << bits | this.readBits(bits); - } else { - return valu; - } - }; + /* harmony default export */ var audio_track_controller = (audio_track_controller_AudioTrackController); +// CONCATENATED MODULE: ./src/controller/audio-stream-controller.js - // ():uint - ExpGolomb.prototype.skipLZ = function skipLZ() { - var leadingZeroCount = void 0; // :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 + function audio_stream_controller_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 audio_stream_controller_createClass(Constructor, protoProps, staticProps) { if (protoProps) audio_stream_controller_defineProperties(Constructor.prototype, protoProps); if (staticProps) audio_stream_controller_defineProperties(Constructor, staticProps); return Constructor; } - ExpGolomb.prototype.skipUEG = function skipUEG() { - this.skipBits(1 + this.skipLZ()); - }; + function audio_stream_controller_inheritsLoose(subClass, superClass) { subClass.prototype = Object.create(superClass.prototype); subClass.prototype.constructor = subClass; subClass.__proto__ = superClass; } - // ():void - - - ExpGolomb.prototype.skipEG = function skipEG() { - this.skipBits(1 + this.skipLZ()); - }; - - // ():uint + /* + * Audio Stream Controller +*/ - ExpGolomb.prototype.readUEG = function readUEG() { - var clz = this.skipLZ(); // :uint - return this.readBits(clz + 1) - 1; - }; - // ():int - ExpGolomb.prototype.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 - ExpGolomb.prototype.readBoolean = function readBoolean() { - return this.readBits(1) === 1; - }; - // ():int - ExpGolomb.prototype.readUByte = function readUByte() { - return this.readBits(8); - }; - // ():int + var audio_stream_controller_window = window, + audio_stream_controller_performance = audio_stream_controller_window.performance; + var audio_stream_controller_TICK_INTERVAL = 100; // how often to tick in ms + var audio_stream_controller_AudioStreamController = + /*#__PURE__*/ + function (_BaseStreamController) { + audio_stream_controller_inheritsLoose(AudioStreamController, _BaseStreamController); - ExpGolomb.prototype.readUShort = function readUShort() { - return this.readBits(16); - }; - // ():int + function AudioStreamController(hls, fragmentTracker) { + var _this; + _this = _BaseStreamController.call(this, hls, events["default"].MEDIA_ATTACHED, events["default"].MEDIA_DETACHING, events["default"].AUDIO_TRACKS_UPDATED, events["default"].AUDIO_TRACK_SWITCHING, events["default"].AUDIO_TRACK_LOADED, events["default"].KEY_LOADED, events["default"].FRAG_LOADED, events["default"].FRAG_PARSING_INIT_SEGMENT, events["default"].FRAG_PARSING_DATA, events["default"].FRAG_PARSED, events["default"].ERROR, events["default"].BUFFER_RESET, events["default"].BUFFER_CREATED, events["default"].BUFFER_APPENDED, events["default"].BUFFER_FLUSHED, events["default"].INIT_PTS_FOUND) || this; + _this.fragmentTracker = fragmentTracker; + _this.config = hls.config; + _this.audioCodecSwap = false; + _this._state = State.STOPPED; + _this.initPTS = []; + _this.waitingFragment = null; + _this.videoTrackCC = null; + return _this; + } // Signal that video PTS was found - ExpGolomb.prototype.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 {number} the number of entries in this scaling list - * @see Recommendation ITU-T H.264, Section 7.3.2.1.1.1 - */ + var _proto = AudioStreamController.prototype; + _proto.onInitPtsFound = function onInitPtsFound(data) { + var demuxerId = data.id, + cc = data.frag.cc, + initPTS = data.initPTS; - ExpGolomb.prototype.skipScalingList = function skipScalingList(count) { - var lastScale = 8, - nextScale = 8, - j = void 0, - deltaScale = void 0; - for (j = 0; j < count; j++) { - if (nextScale !== 0) { - deltaScale = this.readEG(); - nextScale = (lastScale + deltaScale + 256) % 256; - } - lastScale = nextScale === 0 ? lastScale : nextScale; - } - }; + if (demuxerId === 'main') { + // Always update the new INIT PTS + // Can change due level switch + this.initPTS[cc] = initPTS; + this.videoTrackCC = cc; + logger["logger"].log("InitPTS for cc: " + cc + " found from video track: " + initPTS); // If we are waiting we need to demux/remux the waiting frag + // With the new initPTS - /** - * 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. - */ + if (this.state === State.WAITING_INIT_PTS) { + this.tick(); + } + } + }; + _proto.startLoad = function startLoad(startPosition) { + if (this.tracks) { + var lastCurrentTime = this.lastCurrentTime; + this.stopLoad(); + this.setInterval(audio_stream_controller_TICK_INTERVAL); + this.fragLoadError = 0; - ExpGolomb.prototype.readSPS = function readSPS() { - var frameCropLeftOffset = 0, - frameCropRightOffset = 0, - frameCropTopOffset = 0, - frameCropBottomOffset = 0, - profileIdc = void 0, - profileCompat = void 0, - levelIdc = void 0, - numRefFramesInPicOrderCntCycle = void 0, - picWidthInMbsMinus1 = void 0, - picHeightInMapUnitsMinus1 = void 0, - frameMbsOnlyFlag = void 0, - scalingListCount = void 0, - i = void 0, - readUByte = this.readUByte.bind(this), - readBits = this.readBits.bind(this), - readUEG = this.readUEG.bind(this), - readBoolean = this.readBoolean.bind(this), - skipBits = this.skipBits.bind(this), - skipEG = this.skipEG.bind(this), - skipUEG = this.skipUEG.bind(this), - skipScalingList = this.skipScalingList.bind(this); - - readUByte(); - profileIdc = readUByte(); // profile_idc - profileCompat = readBits(5); // constraint_set[0-4]_flag, u(5) - skipBits(3); // reserved_zero_3bits u(3), - levelIdc = 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); + if (lastCurrentTime > 0 && startPosition === -1) { + logger["logger"].log("audio:override startPosition with lastCurrentTime @" + lastCurrentTime.toFixed(3)); + this.state = State.IDLE; } else { - skipScalingList(64); + this.lastCurrentTime = this.startPosition ? this.startPosition : startPosition; + this.state = State.STARTING; } + + this.nextLoadPosition = this.startPosition = this.lastCurrentTime; + this.tick(); + } else { + this.startPosition = startPosition; + this.state = State.STOPPED; } - } - } - } - 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 - picWidthInMbsMinus1 = readUEG(); - picHeightInMapUnitsMinus1 = readUEG(); - 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 - }; - }; + }; - ExpGolomb.prototype.readSliceType = function readSliceType() { - // skip NALu type - this.readUByte(); - // discard first_mb_in_slice - this.readUEG(); - // return slice_type - return this.readUEG(); - }; + _proto.doTick = function doTick() { + var pos, + track, + trackDetails, + hls = this.hls, + config = hls.config; // logger.log('audioStream:' + this.state); - return ExpGolomb; - }(); + switch (this.state) { + case State.ERROR: // don't do anything in error state to avoid breaking further ... - /* harmony default export */ var exp_golomb = (exp_golomb_ExpGolomb); -// CONCATENATED MODULE: ./src/demux/sample-aes.js - function sample_aes__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + case State.PAUSED: // don't do anything in paused state either ... - /** - * SAMPLE-AES decrypter - */ + case State.BUFFER_FLUSHING: + break; + case State.STARTING: + this.state = State.WAITING_TRACK; + this.loadedmetadata = false; + break; + case State.IDLE: + var tracks = this.tracks; // audio tracks not received => exit loop - var sample_aes_SampleAesDecrypter = function () { - function SampleAesDecrypter(observer, config, decryptdata, discardEPB) { - sample_aes__classCallCheck(this, SampleAesDecrypter); + if (!tracks) { + break; + } // if video not attached AND + // start fragment already requested OR start frag prefetch disable + // exit loop + // => if media not attached but start frag prefetch is enabled and start frag not requested yet, we will not exit loop - this.decryptdata = decryptdata; - this.discardEPB = discardEPB; - this.decrypter = new crypt_decrypter["a" /* default */](observer, config, { removePKCS7Padding: false }); - } - SampleAesDecrypter.prototype.decryptBuffer = function decryptBuffer(encryptedData, callback) { - this.decrypter.decrypt(encryptedData, this.decryptdata.key.buffer, this.decryptdata.iv.buffer, callback); - }; + if (!this.media && (this.startFragRequested || !config.startFragPrefetch)) { + break; + } // determine next candidate fragment to be loaded, based on current position and + // end of buffer position + // if we have not yet loaded any fragment, start loading from start position - // AAC - encrypt all full 16 bytes blocks starting from offset 16 + if (this.loadedmetadata) { + pos = this.media.currentTime; + } else { + pos = this.nextLoadPosition; - SampleAesDecrypter.prototype.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); + if (pos === undefined) { + break; + } + } - var localthis = this; - this.decryptBuffer(encryptedBuffer, function (decryptedData) { - decryptedData = new Uint8Array(decryptedData); - curUnit.set(decryptedData, 16); + var media = this.mediaBuffer ? this.mediaBuffer : this.media, + videoBuffer = this.videoBuffer ? this.videoBuffer : this.media, + bufferInfo = BufferHelper.bufferInfo(media, pos, config.maxBufferHole), + mainBufferInfo = BufferHelper.bufferInfo(videoBuffer, pos, config.maxBufferHole), + bufferLen = bufferInfo.len, + bufferEnd = bufferInfo.end, + fragPrevious = this.fragPrevious, + // ensure we buffer at least config.maxBufferLength (default 30s) or config.maxMaxBufferLength (default: 600s) + // whichever is smaller. + // once we reach that threshold, don't buffer more than video (mainBufferInfo.len) + maxConfigBuffer = Math.min(config.maxBufferLength, config.maxMaxBufferLength), + maxBufLen = Math.max(maxConfigBuffer, mainBufferInfo.len), + audioSwitch = this.audioSwitch, + trackId = this.trackId; // if buffer length is less than maxBufLen try to load a new fragment + + if ((bufferLen < maxBufLen || audioSwitch) && trackId < tracks.length) { + trackDetails = tracks[trackId].details; // if track info not retrieved yet, switch state and wait for track retrieval + + if (typeof trackDetails === 'undefined') { + this.state = State.WAITING_TRACK; + break; + } - if (!sync) { - localthis.decryptAacSamples(samples, sampleIndex + 1, callback); - } - }); - }; + if (!audioSwitch && this._streamEnded(bufferInfo, trackDetails)) { + this.hls.trigger(events["default"].BUFFER_EOS, { + type: 'audio' + }); + this.state = State.ENDED; + return; + } // find fragment index, contiguous with end of buffer position + + + var fragments = trackDetails.fragments, + fragLen = fragments.length, + start = fragments[0].start, + end = fragments[fragLen - 1].start + fragments[fragLen - 1].duration, + frag; // When switching audio track, reload audio as close as possible to currentTime + + if (audioSwitch) { + if (trackDetails.live && !trackDetails.PTSKnown) { + logger["logger"].log('switching audiotrack, live stream, unknown PTS,load first fragment'); + bufferEnd = 0; + } else { + bufferEnd = pos; // if currentTime (pos) is less than alt audio playlist start time, it means that alt audio is ahead of currentTime + + if (trackDetails.PTSKnown && pos < start) { + // if everything is buffered from pos to start or if audio buffer upfront, let's seek to start + if (bufferInfo.end > start || bufferInfo.nextStart) { + logger["logger"].log('alt audio track ahead of main track, seek to start of alt audio track'); + this.media.currentTime = start + 0.05; + } else { + return; + } + } + } + } - SampleAesDecrypter.prototype.decryptAacSamples = function decryptAacSamples(samples, sampleIndex, callback) { - for (;; sampleIndex++) { - if (sampleIndex >= samples.length) { - callback(); - return; - } + if (trackDetails.initSegment && !trackDetails.initSegment.data) { + frag = trackDetails.initSegment; + } // eslint-disable-line brace-style + // if bufferEnd before start of playlist, load first fragment + else if (bufferEnd <= start) { + frag = fragments[0]; - if (samples[sampleIndex].unit.length < 32) { - continue; - } + if (this.videoTrackCC !== null && frag.cc !== this.videoTrackCC) { + // Ensure we find a fragment which matches the continuity of the video track + frag = findFragWithCC(fragments, this.videoTrackCC); + } - var sync = this.decrypter.isSync(); + if (trackDetails.live && frag.loadIdx && frag.loadIdx === this.fragLoadIdx) { + // we just loaded this first fragment, and we are still lagging behind the start of the live playlist + // let's force seek to start + var nextBuffered = bufferInfo.nextStart ? bufferInfo.nextStart : start; + logger["logger"].log("no alt audio available @currentTime:" + this.media.currentTime + ", seeking @" + (nextBuffered + 0.05)); + this.media.currentTime = nextBuffered + 0.05; + return; + } + } else { + var foundFrag; + var maxFragLookUpTolerance = config.maxFragLookUpTolerance; + var fragNext = fragPrevious ? fragments[fragPrevious.sn - fragments[0].sn + 1] : undefined; + + var fragmentWithinToleranceTest = function fragmentWithinToleranceTest(candidate) { + // 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); + + 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; + } - this.decryptAacSample(samples, sampleIndex, callback, sync); + return 0; + }; - if (!sync) { - return; - } - } - }; + if (bufferEnd < end) { + if (bufferEnd > end - maxFragLookUpTolerance) { + maxFragLookUpTolerance = 0; + } // Prefer the next fragment if it's within tolerance - // AVC - encrypt one 16 bytes block out of ten, starting from offset 32 + if (fragNext && !fragmentWithinToleranceTest(fragNext)) { + foundFrag = fragNext; + } else { + foundFrag = binary_search.search(fragments, fragmentWithinToleranceTest); + } + } else { + // reach end of playlist + foundFrag = fragments[fragLen - 1]; + } - SampleAesDecrypter.prototype.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); - } + if (foundFrag) { + frag = foundFrag; + start = foundFrag.start; // logger.log('find SN matching with pos:' + bufferEnd + ':' + frag.sn); - return encryptedData; - }; + if (fragPrevious && frag.level === fragPrevious.level && frag.sn === fragPrevious.sn) { + if (frag.sn < trackDetails.endSN) { + frag = fragments[frag.sn + 1 - trackDetails.startSN]; + logger["logger"].log("SN just loaded, load next one: " + frag.sn); + } else { + frag = null; + } + } + } + } - SampleAesDecrypter.prototype.getAvcDecryptedUnit = function getAvcDecryptedUnit(decodedData, decryptedData) { - decryptedData = new Uint8Array(decryptedData); - var inputPos = 0; - for (var outputPos = 32; outputPos <= decodedData.length - 16; outputPos += 160, inputPos += 16) { - decodedData.set(decryptedData.subarray(inputPos, inputPos + 16), outputPos); - } + if (frag) { + // logger.log(' loading frag ' + i +',pos/bufEnd:' + pos.toFixed(3) + '/' + bufferEnd.toFixed(3)); + if (frag.encrypted) { + logger["logger"].log("Loading key for " + frag.sn + " of [" + trackDetails.startSN + " ," + trackDetails.endSN + "],track " + trackId); + this.state = State.KEY_LOADING; + hls.trigger(events["default"].KEY_LOADING, { + frag: frag + }); + } else { + logger["logger"].log("Loading " + frag.sn + ", cc: " + frag.cc + " of [" + trackDetails.startSN + " ," + trackDetails.endSN + "],track " + trackId + ", currentTime:" + pos + ",bufferEnd:" + bufferEnd.toFixed(3)); // only load if fragment is not loaded or if in audio switch + // we force a frag loading in audio switch as fragment tracker might not have evicted previous frags in case of quick audio switch + + this.fragCurrent = frag; + + if (audioSwitch || this.fragmentTracker.getState(frag) === FragmentState.NOT_LOADED) { + if (frag.sn !== 'initSegment') { + this.startFragRequested = true; + } - return decodedData; - }; + if (Object(number_isFinite["isFiniteNumber"])(frag.sn)) { + this.nextLoadPosition = frag.start + frag.duration; + } - SampleAesDecrypter.prototype.decryptAvcSample = function decryptAvcSample(samples, sampleIndex, unitIndex, callback, curUnit, sync) { - var decodedData = this.discardEPB(curUnit.data); - var encryptedData = this.getAvcEncryptedData(decodedData); - var localthis = this; + hls.trigger(events["default"].FRAG_LOADING, { + frag: frag + }); + this.state = State.FRAG_LOADING; + } + } + } + } - this.decryptBuffer(encryptedData.buffer, function (decryptedData) { - curUnit.data = localthis.getAvcDecryptedUnit(decodedData, decryptedData); + break; - if (!sync) { - localthis.decryptAvcSamples(samples, sampleIndex, unitIndex + 1, callback); - } - }); - }; + case State.WAITING_TRACK: + track = this.tracks[this.trackId]; // check if playlist is already loaded - SampleAesDecrypter.prototype.decryptAvcSamples = function decryptAvcSamples(samples, sampleIndex, unitIndex, callback) { - for (;; sampleIndex++, unitIndex = 0) { - if (sampleIndex >= samples.length) { - callback(); - return; - } + if (track && track.details) { + this.state = State.IDLE; + } - var curUnits = samples[sampleIndex].units; - for (;; unitIndex++) { - if (unitIndex >= curUnits.length) { - break; - } + break; - var curUnit = curUnits[unitIndex]; - if (curUnit.length <= 48 || curUnit.type !== 1 && curUnit.type !== 5) { - continue; - } + case State.FRAG_LOADING_WAITING_RETRY: + var now = audio_stream_controller_performance.now(); + var retryDate = this.retryDate; + media = this.media; + var isSeeking = media && media.seeking; // if current time is gt than retryDate, or if media seeking let's switch to IDLE state to retry loading - var sync = this.decrypter.isSync(); + if (!retryDate || now >= retryDate || isSeeking) { + logger["logger"].log('audioStreamController: retryDate reached, switch back to IDLE state'); + this.state = State.IDLE; + } - this.decryptAvcSample(samples, sampleIndex, unitIndex, callback, curUnit, sync); + break; - if (!sync) { - return; - } - } - } - }; + case State.WAITING_INIT_PTS: + var videoTrackCC = this.videoTrackCC; - return SampleAesDecrypter; - }(); + if (this.initPTS[videoTrackCC] === undefined) { + break; + } // Ensure we don't get stuck in the WAITING_INIT_PTS state if the waiting frag CC doesn't match any initPTS - /* harmony default export */ var sample_aes = (sample_aes_SampleAesDecrypter); -// CONCATENATED MODULE: ./src/demux/tsdemuxer.js - function tsdemuxer__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } - /** - * 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. - */ + var waitingFrag = this.waitingFragment; + if (waitingFrag) { + var waitingFragCC = waitingFrag.frag.cc; + if (videoTrackCC !== waitingFragCC) { + track = this.tracks[this.trackId]; + if (track.details && track.details.live) { + logger["logger"].warn("Waiting fragment CC (" + waitingFragCC + ") does not match video track CC (" + videoTrackCC + ")"); + this.waitingFragment = null; + this.state = State.IDLE; + } + } else { + this.state = State.FRAG_LOADING; + this.onFragLoaded(this.waitingFragment); + this.waitingFragment = null; + } + } else { + this.state = State.IDLE; + } + break; + case State.STOPPED: + case State.FRAG_LOADING: + case State.PARSING: + case State.PARSED: + case State.ENDED: + break; -// import Hex from '../utils/hex'; + default: + break; + } + }; + _proto.onMediaAttached = function onMediaAttached(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.tracks && config.autoStartLoad) { + this.startLoad(config.startPosition); + } + }; -// 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 - }; + _proto.onMediaDetaching = function onMediaDetaching() { + var media = this.media; - var tsdemuxer_TSDemuxer = function () { - function TSDemuxer(observer, remuxer, config, typeSupported) { - tsdemuxer__classCallCheck(this, TSDemuxer); + if (media && media.ended) { + logger["logger"].log('MSE detaching and video ended, reset startPosition'); + this.startPosition = this.lastCurrentTime = 0; + } // remove video listeners - this.observer = observer; - this.config = config; - this.typeSupported = typeSupported; - this.remuxer = remuxer; - this.sampleAes = null; - } - TSDemuxer.prototype.setDecryptData = function setDecryptData(decryptdata) { - if (decryptdata != null && decryptdata.key != null && decryptdata.method === 'SAMPLE-AES') { - this.sampleAes = new sample_aes(this.observer, this.config, decryptdata, this.discardEPB); - } else { - this.sampleAes = null; - } - }; + if (media) { + media.removeEventListener('seeking', this.onvseeking); + media.removeEventListener('ended', this.onvended); + this.onvseeking = this.onvseeked = this.onvended = null; + } - TSDemuxer.probe = function probe(data) { - var syncOffset = TSDemuxer._syncOffset(data); - if (syncOffset < 0) { - return false; - } else { - if (syncOffset) { - logger["b" /* logger */].warn('MPEG2-TS detected but first sync word found @ offset ' + syncOffset + ', junk ahead ?'); - } + this.media = this.mediaBuffer = this.videoBuffer = null; + this.loadedmetadata = false; + this.fragmentTracker.removeAllFragments(); + this.stopLoad(); + }; - return true; - } - }; + _proto.onAudioTracksUpdated = function onAudioTracksUpdated(data) { + logger["logger"].log('audio tracks updated'); + this.tracks = data.audioTracks; + }; - 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; - }; + _proto.onAudioTrackSwitching = function onAudioTrackSwitching(data) { + // if any URL found on new audio track, it is an alternate audio track + var altAudio = !!data.url; + this.trackId = data.id; + this.fragCurrent = null; + this.state = State.PAUSED; + this.waitingFragment = null; // destroy useless demuxer when switching audio to main - /** - * Creates a track model internal to demuxer used to drive remuxing input - * - * @param {string} type 'audio' | 'video' | 'id3' | 'text' - * @param {number} duration - * @return {object} TSDemuxer's internal track model - */ + if (!altAudio) { + if (this.demuxer) { + this.demuxer.destroy(); + this.demuxer = null; + } + } else { + // switching to audio track, start timer if not already started + this.setInterval(audio_stream_controller_TICK_INTERVAL); + } // should we switch tracks ? - 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: [], - len: 0, - dropped: type === 'video' ? 0 : undefined, - isAAC: type === 'audio' ? true : undefined, - duration: type === 'audio' ? duration : undefined - }; - }; + if (altAudio) { + this.audioSwitch = true; // main audio track are handled by stream-controller, just do something if switching to alt audio track - /** - * 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. - * - * @override Implements generic demuxing/remuxing interface (see DemuxerInline) - * @param {object} initSegment - * @param {string} audioCodec - * @param {string} videoCodec - * @param {number} duration (in TS timescale = 90kHz) - */ + this.state = State.IDLE; + } + this.tick(); + }; - TSDemuxer.prototype.resetInitSegment = function resetInitSegment(initSegment, audioCodec, videoCodec, duration) { - this.pmtParsed = false; - this._pmtId = -1; + _proto.onAudioTrackLoaded = function onAudioTrackLoaded(data) { + var newDetails = data.details, + trackId = data.id, + track = this.tracks[trackId], + duration = newDetails.totalduration, + sliding = 0; + logger["logger"].log("track " + trackId + " loaded [" + newDetails.startSN + "," + newDetails.endSN + "],duration:" + duration); - this._avcTrack = TSDemuxer.createTrack('video', duration); - this._audioTrack = TSDemuxer.createTrack('audio', duration); - this._id3Track = TSDemuxer.createTrack('id3', duration); - this._txtTrack = TSDemuxer.createTrack('text', duration); + if (newDetails.live) { + var curDetails = track.details; - // flush any partial content - this.aacOverFlow = null; - this.aacLastPTS = null; - this.avcSample = null; - this.audioCodec = audioCodec; - this.videoCodec = videoCodec; - this._duration = duration; - }; + if (curDetails && newDetails.fragments.length > 0) { + // we already have details for that level, merge them + mergeDetails(curDetails, newDetails); + sliding = newDetails.fragments[0].start; // TODO + // this.liveSyncPosition = this.computeLivePosition(sliding, curDetails); - /** - * - * @override - */ + if (newDetails.PTSKnown) { + logger["logger"].log("live audio playlist sliding:" + sliding.toFixed(3)); + } else { + logger["logger"].log('live audio playlist - outdated PTS, unknown sliding'); + } + } else { + newDetails.PTSKnown = false; + logger["logger"].log('live audio playlist - first load, unknown sliding'); + } + } else { + newDetails.PTSKnown = false; + } + track.details = newDetails; // compute start position - TSDemuxer.prototype.resetTimeStamp = function resetTimeStamp() {}; - - // feed incoming data to the front of the parsing pipeline - - - TSDemuxer.prototype.append = function append(data, timeOffset, contiguous, accurateTimeOffset) { - var start = void 0, - len = data.length, - stt = void 0, - pid = void 0, - atf = void 0, - offset = void 0, - pes = void 0, - unknownPIDs = false; - this.contiguous = contiguous; - var pmtParsed = this.pmtParsed, - avcTrack = this._avcTrack, - audioTrack = this._audioTrack, - id3Track = this._id3Track, - avcId = avcTrack.pid, - audioId = audioTrack.pid, - id3Id = id3Track.pid, - pmtId = this._pmtId, - avcData = avcTrack.pesData, - audioData = audioTrack.pesData, - id3Data = id3Track.pesData, - parsePAT = this._parsePAT, - parsePMT = this._parsePMT, - parsePES = this._parsePES, - parseAVCPES = this._parseAVCPES.bind(this), - parseAACPES = this._parseAACPES.bind(this), - parseMPEGPES = this._parseMPEGPES.bind(this), - parseID3PES = this._parseID3PES.bind(this); - - var syncOffset = TSDemuxer._syncOffset(data); - - // don't parse last TS packet if incomplete - len -= (len + syncOffset) % 188; - - // loop through TS packets - for (start = syncOffset; start < len; start += 188) { - if (data[start] === 0x47) { - stt = !!(data[start + 1] & 0x40); - // pid is a 13-bit field starting at the last bit of TS[1] - pid = ((data[start + 1] & 0x1f) << 8) + data[start + 2]; - 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. - 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)) && pes.pts !== undefined) { - parseAVCPES(pes, false); - } + if (!this.startFragRequested) { + // compute start position if set to -1. use it straight away if value is defined + if (this.startPosition === -1) { + // first, check if start time offset has been set in playlist, if yes, use this value + var startTimeOffset = newDetails.startTimeOffset; - 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)) && pes.pts !== undefined) { - if (audioTrack.isAAC) { - parseAACPES(pes); + if (Object(number_isFinite["isFiniteNumber"])(startTimeOffset)) { + logger["logger"].log("start time offset found in playlist, adjust startPosition to " + startTimeOffset); + this.startPosition = startTimeOffset; + } else { + if (newDetails.live) { + this.startPosition = this.computeLivePosition(sliding, newDetails); + logger["logger"].log("compute startPosition for audio-track to " + this.startPosition); } else { - parseMPEGPES(pes); + this.startPosition = 0; } } - 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)) && pes.pts !== undefined) { - 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; - } + this.nextLoadPosition = this.startPosition; + } // only switch batck to IDLE state if we were waiting for track to start downloading a new fragment - 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, this.sampleAes != null); + if (this.state === State.WAITING_TRACK) { + this.state = State.IDLE; + } // trigger handler right now - // 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; - } + this.tick(); + }; - if (unknownPIDs && !pmtParsed) { - logger["b" /* 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.trigger(events["a" /* default */].ERROR, { type: errors["b" /* ErrorTypes */].MEDIA_ERROR, details: errors["a" /* ErrorDetails */].FRAG_PARSING_ERROR, fatal: false, reason: 'TS packet did not start with 0x47' }); - } - } - // try to parse last PES packets - if (avcData && (pes = parsePES(avcData)) && pes.pts !== undefined) { - parseAVCPES(pes, true); - avcTrack.pesData = null; - } else { - // either avcData null or PES truncated, keep it for next frag parsing - avcTrack.pesData = avcData; - } + _proto.onKeyLoaded = function onKeyLoaded() { + if (this.state === State.KEY_LOADING) { + this.state = State.IDLE; + this.tick(); + } + }; - if (audioData && (pes = parsePES(audioData)) && pes.pts !== undefined) { - if (audioTrack.isAAC) { - parseAACPES(pes); - } else { - parseMPEGPES(pes); - } + _proto.onFragLoaded = function onFragLoaded(data) { + var fragCurrent = this.fragCurrent, + fragLoaded = data.frag; + + if (this.state === State.FRAG_LOADING && fragCurrent && fragLoaded.type === 'audio' && fragLoaded.level === fragCurrent.level && fragLoaded.sn === fragCurrent.sn) { + var track = this.tracks[this.trackId], + details = track.details, + duration = details.totalduration, + trackId = fragCurrent.level, + sn = fragCurrent.sn, + cc = fragCurrent.cc, + audioCodec = this.config.defaultAudioCodec || track.audioCodec || 'mp4a.40.2', + stats = this.stats = data.stats; + + if (sn === 'initSegment') { + this.state = State.IDLE; + stats.tparsed = stats.tbuffered = audio_stream_controller_performance.now(); + details.initSegment.data = data.payload; + this.hls.trigger(events["default"].FRAG_BUFFERED, { + stats: stats, + frag: fragCurrent, + id: 'audio' + }); + this.tick(); + } else { + this.state = State.PARSING; // transmux the MPEG-TS data to ISO-BMFF segments - audioTrack.pesData = null; - } else { - if (audioData && audioData.size) { - logger["b" /* logger */].log('last AAC PES packet truncated,might overlap between fragments'); - } + this.appended = false; - // either audioData null or PES truncated, keep it for next frag parsing - audioTrack.pesData = audioData; - } + if (!this.demuxer) { + this.demuxer = new demux_demuxer(this.hls, 'audio'); + } // Check if we have video initPTS + // If not we need to wait for it - if (id3Data && (pes = parsePES(id3Data)) && pes.pts !== undefined) { - parseID3PES(pes); - id3Track.pesData = null; - } else { - // either id3Data null or PES truncated, keep it for next frag parsing - id3Track.pesData = id3Data; - } - if (this.sampleAes == null) { - this.remuxer.remux(audioTrack, avcTrack, id3Track, this._txtTrack, timeOffset, contiguous, accurateTimeOffset); - } else { - this.decryptAndRemux(audioTrack, avcTrack, id3Track, this._txtTrack, timeOffset, contiguous, accurateTimeOffset); - } - }; + var initPTS = this.initPTS[cc]; + var initSegmentData = details.initSegment ? details.initSegment.data : []; - TSDemuxer.prototype.decryptAndRemux = function decryptAndRemux(audioTrack, videoTrack, id3Track, textTrack, timeOffset, contiguous, accurateTimeOffset) { - if (audioTrack.samples && audioTrack.isAAC) { - var localthis = this; - this.sampleAes.decryptAacSamples(audioTrack.samples, 0, function () { - localthis.decryptAndRemuxAvc(audioTrack, videoTrack, id3Track, textTrack, timeOffset, contiguous, accurateTimeOffset); - }); - } else { - this.decryptAndRemuxAvc(audioTrack, videoTrack, id3Track, textTrack, timeOffset, contiguous, accurateTimeOffset); - } - }; + if (details.initSegment || initPTS !== undefined) { + this.pendingBuffering = true; + logger["logger"].log("Demuxing " + sn + " of [" + details.startSN + " ," + details.endSN + "],track " + trackId); // time Offset is accurate if level PTS is known, or if playlist is not sliding (not live) - TSDemuxer.prototype.decryptAndRemuxAvc = function decryptAndRemuxAvc(audioTrack, videoTrack, id3Track, textTrack, timeOffset, contiguous, accurateTimeOffset) { - if (videoTrack.samples) { - var localthis = this; - this.sampleAes.decryptAvcSamples(videoTrack.samples, 0, 0, function () { - localthis.remuxer.remux(audioTrack, videoTrack, id3Track, textTrack, timeOffset, contiguous, accurateTimeOffset); - }); - } else { - this.remuxer.remux(audioTrack, videoTrack, id3Track, textTrack, timeOffset, contiguous, accurateTimeOffset); - } - }; + var accurateTimeOffset = false; // details.PTSKnown || !details.live; - TSDemuxer.prototype.destroy = function destroy() { - this._initPTS = this._initDTS = undefined; - this._duration = 0; - }; + this.demuxer.push(data.payload, initSegmentData, audioCodec, null, fragCurrent, duration, accurateTimeOffset, initPTS); + } else { + logger["logger"].log("unknown video PTS for continuity counter " + cc + ", waiting for video PTS before demuxing audio frag " + sn + " of [" + details.startSN + " ," + details.endSN + "],track " + trackId); + this.waitingFragment = data; + this.state = State.WAITING_INIT_PTS; + } + } + } - TSDemuxer.prototype._parsePAT = 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); - }; + this.fragLoadError = 0; + }; - TSDemuxer.prototype._parsePMT = function _parsePMT(data, offset, mpegSupported, isSampleAes) { - var sectionLength = void 0, - tableEnd = void 0, - programInfoLength = void 0, - pid = void 0, - result = { audio: -1, avc: -1, id3: -1, isAAC: true }; - sectionLength = (data[offset + 1] & 0x0f) << 8 | data[offset + 2]; - tableEnd = offset + 3 + sectionLength - 4; - // to determine where the table is, we have to figure out how - // long the program info descriptors are - 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) { - pid = (data[offset + 1] & 0x1F) << 8 | data[offset + 2]; - switch (data[offset]) { - case 0xcf: - // SAMPLE-AES AAC - if (!isSampleAes) { - logger["b" /* logger */].log('unkown stream type:' + data[offset]); - break; - } - /* falls through */ + _proto.onFragParsingInitSegment = function onFragParsingInitSegment(data) { + var fragCurrent = this.fragCurrent; + var fragNew = data.frag; - // ISO/IEC 13818-7 ADTS AAC (MPEG-2 lower bit-rate audio) - case 0x0f: - // logger.log('AAC PID:' + pid); - if (result.audio === -1) { - result.audio = pid; - } + if (fragCurrent && data.id === 'audio' && fragNew.sn === fragCurrent.sn && fragNew.level === fragCurrent.level && this.state === State.PARSING) { + var tracks = data.tracks, + track; // delete any video track found on audio demuxer - break; + if (tracks.video) { + delete tracks.video; + } // include levelCodec in audio and video tracks - // Packetized metadata (ID3) - case 0x15: - // logger.log('ID3 PID:' + pid); - if (result.id3 === -1) { - result.id3 = pid; - } - break; + track = tracks.audio; - case 0xdb: - // SAMPLE-AES AVC - if (!isSampleAes) { - logger["b" /* logger */].log('unkown stream type:' + data[offset]); - break; - } - /* falls through */ + if (track) { + track.levelCodec = track.codec; + track.id = data.id; + this.hls.trigger(events["default"].BUFFER_CODECS, tracks); + logger["logger"].log("audio track:audio,container:" + track.container + ",codecs[level/parsed]=[" + track.levelCodec + "/" + track.codec + "]"); + var initSegment = track.initSegment; - // ITU-T Rec. H.264 and ISO/IEC 14496-10 (lower bit-rate video) - case 0x1b: - // logger.log('AVC PID:' + pid); - if (result.avc === -1) { - result.avc = pid; - } + if (initSegment) { + var appendObj = { + type: 'audio', + data: initSegment, + parent: 'audio', + content: 'initSegment' + }; - break; + if (this.audioSwitch) { + this.pendingData = [appendObj]; + } else { + this.appended = true; // arm pending Buffering flag before appending a segment - // 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) { - logger["b" /* logger */].log('MPEG audio found, not supported in this browser for now'); - } else if (result.audio === -1) { - result.audio = pid; - result.isAAC = false; - } - break; + this.pendingBuffering = true; + this.hls.trigger(events["default"].BUFFER_APPENDING, appendObj); + } + } // trigger handler right now - case 0x24: - logger["b" /* logger */].warn('HEVC stream type found, not supported for now'); - break; - default: - logger["b" /* logger */].log('unkown 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; - }; - - TSDemuxer.prototype._parsePES = function _parsePES(stream) { - var i = 0, - frag = void 0, - pesFlags = void 0, - pesPrefix = void 0, - pesLen = void 0, - pesHdrLen = void 0, - pesData = void 0, - pesPts = void 0, - pesDts = void 0, - payloadStartOffset = void 0, - data = stream.data; - // safety check - if (!stream || stream.size === 0) { - return null; - } + this.tick(); + } + } + }; - // 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]; - 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; - } + _proto.onFragParsingData = function onFragParsingData(data) { + var _this2 = this; - 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; - // check if greater than 2^32 -1 - if (pesPts > 4294967295) { - // decrement 2^33 - pesPts -= 8589934592; - } - 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; - // check if greater than 2^32 -1 - if (pesDts > 4294967295) { - // decrement 2^33 - pesDts -= 8589934592; - } - if (pesPts - pesDts > 60 * 90000) { - logger["b" /* 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 - payloadStartOffset = pesHdrLen + 9; - - stream.size -= payloadStartOffset; - // reassemble PES packet - 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 }; - } else { - return null; - } - }; + var fragCurrent = this.fragCurrent; + var fragNew = data.frag; - TSDemuxer.prototype.pushAccesUnit = function pushAccesUnit(avcSample, avcTrack) { - if (avcSample.units.length && avcSample.frame) { - var samples = avcTrack.samples; - var nbSamples = samples.length; - // only push AVC sample if starting with a keyframe is not mandatory OR - // if keyframe already found in this fragment OR - // keyframe found in last fragment (track.sps) AND - // samples already appended (we already found a keyframe in this fragment) OR fragment is contiguous - if (!this.config.forceKeyFrameOnDiscontinuity || avcSample.key === true || avcTrack.sps && (nbSamples || this.contiguous)) { - avcSample.id = nbSamples; - samples.push(avcSample); - } else { - // dropped samples, track it - avcTrack.dropped++; - } - } - if (avcSample.debug.length) { - logger["b" /* logger */].log(avcSample.pts + '/' + avcSample.dts + ':' + avcSample.debug); - } - }; + if (fragCurrent && data.id === 'audio' && data.type === 'audio' && fragNew.sn === fragCurrent.sn && fragNew.level === fragCurrent.level && this.state === State.PARSING) { + var trackId = this.trackId, + track = this.tracks[trackId], + hls = this.hls; - TSDemuxer.prototype._parseAVCPES = function _parseAVCPES(pes, last) { - var _this = this; - - // logger.log('parse new PES'); - var track = this._avcTrack, - units = this._parseAVCNALu(pes.data), - debug = false, - expGolombDecoder = void 0, - avcSample = this.avcSample, - push = void 0, - spsfound = false, - i = void 0, - pushAccesUnit = this.pushAccesUnit.bind(this), - createAVCSample = function createAVCSample(key, pts, dts, debug) { - return { key: key, pts: pts, dts: dts, units: [], debug: debug }; - }; - // 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) { - pushAccesUnit(avcSample, track); - avcSample = this.avcSample = createAVCSample(false, pes.pts, pes.dts, ''); - } + if (!Object(number_isFinite["isFiniteNumber"])(data.endPTS)) { + data.endPTS = data.startPTS + fragCurrent.duration; + data.endDTS = data.startDTS + fragCurrent.duration; + } - units.forEach(function (unit) { - switch (unit.type) { - // NDR - case 1: - push = true; - if (!avcSample) { - avcSample = _this.avcSample = createAVCSample(true, pes.pts, pes.dts, ''); - } + fragCurrent.addElementaryStream(ElementaryStreamTypes.AUDIO); + logger["logger"].log("parsed " + data.type + ",PTS:[" + data.startPTS.toFixed(3) + "," + data.endPTS.toFixed(3) + "],DTS:[" + data.startDTS.toFixed(3) + "/" + data.endDTS.toFixed(3) + "],nb:" + data.nb); + updateFragPTSDTS(track.details, fragCurrent, data.startPTS, data.endPTS); + var audioSwitch = this.audioSwitch, + media = this.media, + appendOnBufferFlush = false; // Only flush audio from old audio tracks when PTS is known on new audio track + + if (audioSwitch) { + if (media && media.readyState) { + var currentTime = media.currentTime; + logger["logger"].log('switching audio track : currentTime:' + currentTime); + + if (currentTime >= data.startPTS) { + logger["logger"].log('switching audio track : flushing all audio'); + this.state = State.BUFFER_FLUSHING; + hls.trigger(events["default"].BUFFER_FLUSHING, { + startOffset: 0, + endOffset: Number.POSITIVE_INFINITY, + type: 'audio' + }); + appendOnBufferFlush = true; // Lets announce that the initial audio track switch flush occur + + this.audioSwitch = false; + hls.trigger(events["default"].AUDIO_TRACK_SWITCHED, { + id: trackId + }); + } + } else { + // Lets announce that the initial audio track switch flush occur + this.audioSwitch = false; + hls.trigger(events["default"].AUDIO_TRACK_SWITCHED, { + id: trackId + }); + } + } - if (debug) { - avcSample.debug += 'NDR '; - } + var pendingData = this.pendingData; - 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(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; + if (!pendingData) { + logger["logger"].warn('Apparently attempt to enqueue media payload without codec initialization data upfront'); + hls.trigger(events["default"].ERROR, { + type: errors["ErrorTypes"].MEDIA_ERROR, + details: null, + fatal: true + }); + return; } - } - 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 '; - } + if (!this.audioSwitch) { + [data.data1, data.data2].forEach(function (buffer) { + if (buffer && buffer.length) { + pendingData.push({ + type: data.type, + data: buffer, + parent: 'audio', + content: 'data' + }); + } + }); - avcSample.key = true; - avcSample.frame = true; - break; - // SEI - case 6: - push = true; - if (debug && avcSample) { - avcSample.debug += 'SEI '; - } - - expGolombDecoder = new exp_golomb(_this.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 (i = 0; i < totalCCs; i++) { - // 3 bytes per CC - byteArray.push(expGolombDecoder.readUByte()); - byteArray.push(expGolombDecoder.readUByte()); - byteArray.push(expGolombDecoder.readUByte()); - } + if (!appendOnBufferFlush && pendingData.length) { + pendingData.forEach(function (appendObj) { + // only append in PARSING state (rationale is that an appending error could happen synchronously on first segment appending) + // in that case it is useless to append following segments + if (_this2.state === State.PARSING) { + // arm pending Buffering flag before appending a segment + _this2.pendingBuffering = true; - _this._insertSampleInOrder(_this._txtTrack.samples, { type: 3, pts: pes.pts, bytes: byteArray }); - } + _this2.hls.trigger(events["default"].BUFFER_APPENDING, appendObj); } - } - } - } else if (payloadSize < expGolombDecoder.bytesAvailable) { - for (i = 0; i < payloadSize; i++) { - expGolombDecoder.readUByte(); - } - } - } - break; - // SPS - case 7: - push = true; - spsfound = true; - if (debug && avcSample) { - avcSample.debug += 'SPS '; - } - - if (!track.sps) { - expGolombDecoder = new exp_golomb(unit.data); - var config = expGolombDecoder.readSPS(); - track.width = config.width; - track.height = config.height; - track.pixelRatio = config.pixelRatio; - track.sps = [unit.data]; - track.duration = _this._duration; - var codecarray = unit.data.subarray(1, 4); - var codecstring = 'avc1.'; - for (i = 0; i < 3; i++) { - var h = codecarray[i].toString(16); - if (h.length < 2) { - h = '0' + h; + }); + this.pendingData = []; + this.appended = true; } + } // trigger handler right now - codecstring += h; - } - track.codec = codecstring; - } - break; - // PPS - case 8: - push = true; - if (debug && avcSample) { - avcSample.debug += 'PPS '; + + this.tick(); } + }; + + _proto.onFragParsed = function onFragParsed(data) { + var fragCurrent = this.fragCurrent; + var fragNew = data.frag; + + if (fragCurrent && data.id === 'audio' && fragNew.sn === fragCurrent.sn && fragNew.level === fragCurrent.level && this.state === State.PARSING) { + this.stats.tparsed = audio_stream_controller_performance.now(); + this.state = State.PARSED; - if (!track.pps) { - track.pps = [unit.data]; + this._checkAppendedParsed(); } + }; - break; - // AUD - case 9: - push = false; - track.audFound = true; - if (avcSample) { - pushAccesUnit(avcSample, track); + _proto.onBufferReset = function onBufferReset() { + // reset reference to sourcebuffers + this.mediaBuffer = this.videoBuffer = null; + this.loadedmetadata = false; + }; + + _proto.onBufferCreated = function onBufferCreated(data) { + var audioTrack = data.tracks.audio; + + if (audioTrack) { + this.mediaBuffer = audioTrack.buffer; + this.loadedmetadata = true; } - 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 + ' '; + if (data.tracks.video) { + this.videoBuffer = data.tracks.video.buffer; } + }; - break; - } - if (avcSample && push) { - var _units = avcSample.units; - _units.push(unit); - } - }); - // if last PES packet, push samples - if (last && avcSample) { - pushAccesUnit(avcSample, track); - this.avcSample = null; - } - }; + _proto.onBufferAppended = function onBufferAppended(data) { + if (data.parent === 'audio') { + var state = this.state; - TSDemuxer.prototype._insertSampleInOrder = 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; + if (state === State.PARSING || state === State.PARSED) { + // check if all buffers have been appended + this.pendingBuffering = data.pending > 0; + + this._checkAppendedParsed(); + } } - } - } - } else { - arr.push(data); - } - }; + }; - TSDemuxer.prototype._getLastNalUnit = function _getLastNalUnit() { - var avcSample = this.avcSample, - lastUnit = void 0; - // try to fallback to previous sample if current one is empty - if (!avcSample || avcSample.units.length === 0) { - var track = this._avcTrack, - samples = track.samples; - avcSample = samples[samples.length - 1]; - } - if (avcSample) { - var units = avcSample.units; - lastUnit = units[units.length - 1]; - } - return lastUnit; - }; + _proto._checkAppendedParsed = function _checkAppendedParsed() { + // trigger handler right now + if (this.state === State.PARSED && (!this.appended || !this.pendingBuffering)) { + var frag = this.fragCurrent, + stats = this.stats, + hls = this.hls; - TSDemuxer.prototype._parseAVCNALu = function _parseAVCNALu(array) { - var i = 0, - len = array.byteLength, - value = void 0, - overflow = void 0, - track = this._avcTrack, - state = track.naluState || 0, - lastState = state; - var units = [], - unit = void 0, - unitType = void 0, - lastUnitStart = -1, - lastUnitType = void 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; - } + if (frag) { + this.fragPrevious = frag; + stats.tbuffered = audio_stream_controller_performance.now(); + hls.trigger(events["default"].FRAG_BUFFERED, { + stats: stats, + frag: frag, + id: 'audio' + }); + var media = this.mediaBuffer ? this.mediaBuffer : this.media; + + if (media) { + logger["logger"].log("audio buffered : " + time_ranges.toString(media.buffered)); + } - 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) { - 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 (this.audioSwitch && this.appended) { + this.audioSwitch = false; + hls.trigger(events["default"].AUDIO_TRACK_SWITCHED, { + id: this.trackId + }); } + + this.state = State.IDLE; } - // 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) { - 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; - }; - /** - * remove Emulation Prevention bytes from a RBSP - */ + this.tick(); + } + }; + _proto.onError = function onError(data) { + var frag = data.frag; // don't handle frag error not related to audio fragment - TSDemuxer.prototype.discardEPB = function discardEPB(data) { - var length = data.byteLength, - EPBPositions = [], - i = 1, - newLength = void 0, - newData = void 0; + if (frag && frag.type !== 'audio') { + return; + } - // 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++; - } - } + switch (data.details) { + case errors["ErrorDetails"].FRAG_LOAD_ERROR: + case errors["ErrorDetails"].FRAG_LOAD_TIMEOUT: + var _frag = data.frag; // don't handle frag error not related to audio fragment - // If no Emulation Prevention Bytes were found just return the original - // array - if (EPBPositions.length === 0) { - return data; - } + if (_frag && _frag.type !== 'audio') { + break; + } - // Create a new array to hold the NAL unit data - newLength = length - EPBPositions.length; - 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; - }; + if (!data.fatal) { + var loadError = this.fragLoadError; - TSDemuxer.prototype._parseAACPES = function _parseAACPES(pes) { - var track = this._audioTrack, - data = pes.data, - pts = pes.pts, - startOffset = 0, - aacOverFlow = this.aacOverFlow, - aacLastPTS = this.aacLastPTS, - frameDuration = void 0, - frameIndex = void 0, - offset = void 0, - stamp = void 0, - len = void 0; - 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) - for (offset = startOffset, len = data.length; offset < len - 1; offset++) { - if (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 = void 0, - fatal = void 0; - 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; - } - logger["b" /* logger */].warn('parsing error:' + reason); - this.observer.trigger(events["a" /* default */].ERROR, { type: errors["b" /* ErrorTypes */].MEDIA_ERROR, details: errors["a" /* ErrorDetails */].FRAG_PARSING_ERROR, fatal: fatal, reason: reason }); - if (fatal) { - return; - } - } + if (loadError) { + loadError++; + } else { + loadError = 1; + } - initTrackConfig(track, this.observer, data, offset, this.audioCodec); - frameIndex = 0; - frameDuration = 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 - if (aacOverFlow && aacLastPTS) { - var newPTS = aacLastPTS + frameDuration; - if (Math.abs(newPTS - pts) > 1) { - logger["b" /* logger */].log('AAC: align PTS for overlapping frames by ' + Math.round((newPTS - pts) / 90)); - pts = newPTS; - } - } + var config = this.config; - // scan for aac samples - while (offset < len) { - if (isHeader(data, offset) && offset + 5 < len) { - var frame = appendFrame(track, data, offset, pts, frameIndex); - if (frame) { - // logger.log(`${Math.round(frame.sample.pts)} : AAC`); - offset += frame.length; - stamp = frame.sample.pts; - frameIndex++; - } else { - // logger.log('Unable to parse AAC frame'); - break; - } - } else { - // nothing found, keep looking - offset++; - } - } + if (loadError <= config.fragLoadingMaxRetry) { + this.fragLoadError = loadError; // exponential backoff capped to config.fragLoadingMaxRetryTimeout - if (offset < len) { - aacOverFlow = data.subarray(offset, len); - // logger.log(`AAC: overflow detected:${len-offset}`); - } else { - aacOverFlow = null; - } + var delay = Math.min(Math.pow(2, loadError - 1) * config.fragLoadingRetryDelay, config.fragLoadingMaxRetryTimeout); + logger["logger"].warn("AudioStreamController: frag loading failed, retry in " + delay + " ms"); + this.retryDate = audio_stream_controller_performance.now() + delay; // retry loading state - this.aacOverFlow = aacOverFlow; - this.aacLastPTS = stamp; - }; + this.state = State.FRAG_LOADING_WAITING_RETRY; + } else { + logger["logger"].error("AudioStreamController: " + data.details + " reaches max retry, redispatch as fatal ..."); // switch error to fatal - TSDemuxer.prototype._parseMPEGPES = function _parseMPEGPES(pes) { - var data = pes.data; - var length = data.length; - var frameIndex = 0; - var offset = 0; - var pts = pes.pts; - - while (offset < length) { - if (mpegaudio.isHeader(data, offset)) { - var frame = mpegaudio.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++; - } - } - }; + data.fatal = true; + this.state = State.ERROR; + } + } - TSDemuxer.prototype._parseID3PES = function _parseID3PES(pes) { - this._id3Track.samples.push(pes); - }; + break; - return TSDemuxer; - }(); + case errors["ErrorDetails"].AUDIO_TRACK_LOAD_ERROR: + case errors["ErrorDetails"].AUDIO_TRACK_LOAD_TIMEOUT: + case errors["ErrorDetails"].KEY_LOAD_ERROR: + case errors["ErrorDetails"].KEY_LOAD_TIMEOUT: + // when in ERROR state, don't switch back to IDLE state in case a non-fatal error is received + if (this.state !== State.ERROR) { + // if fatal error, stop processing, otherwise move to IDLE to retry loading + this.state = data.fatal ? State.ERROR : State.IDLE; + logger["logger"].warn("AudioStreamController: " + data.details + " while loading frag, now switching to " + this.state + " state ..."); + } - /* harmony default export */ var tsdemuxer = (tsdemuxer_TSDemuxer); -// CONCATENATED MODULE: ./src/demux/mp3demuxer.js - function mp3demuxer__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + break; - /** - * MP3 demuxer - */ + case errors["ErrorDetails"].BUFFER_FULL_ERROR: + // if in appending state + if (data.parent === 'audio' && (this.state === State.PARSING || this.state === State.PARSED)) { + var media = this.mediaBuffer, + currentTime = this.media.currentTime, + mediaBuffered = media && BufferHelper.isBuffered(media, currentTime) && BufferHelper.isBuffered(media, currentTime + 0.5); // reduce max buf len if current position is buffered + if (mediaBuffered) { + var _config = this.config; + if (_config.maxMaxBufferLength >= _config.maxBufferLength) { + // reduce max buffer length as it might be too high. we do this to avoid loop flushing ... + _config.maxMaxBufferLength /= 2; + logger["logger"].warn("AudioStreamController: reduce max buffer length to " + _config.maxMaxBufferLength + "s"); + } + this.state = 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 audio buffer to recover + logger["logger"].warn('AudioStreamController: buffer full error also media.currentTime is not buffered, flush audio buffer'); + this.fragCurrent = null; // flush everything + + this.state = State.BUFFER_FLUSHING; + this.hls.trigger(events["default"].BUFFER_FLUSHING, { + startOffset: 0, + endOffset: Number.POSITIVE_INFINITY, + type: 'audio' + }); + } + } - var mp3demuxer_MP3Demuxer = function () { - function MP3Demuxer(observer, remuxer, config) { - mp3demuxer__classCallCheck(this, MP3Demuxer); + break; - this.observer = observer; - this.config = config; - this.remuxer = remuxer; - } + default: + break; + } + }; - MP3Demuxer.prototype.resetInitSegment = function resetInitSegment(initSegment, audioCodec, videoCodec, duration) { - this._audioTrack = { container: 'audio/mpeg', type: 'audio', id: -1, sequenceNumber: 0, isAAC: false, samples: [], len: 0, manifestCodec: audioCodec, duration: duration, inputTimeScale: 90000 }; - }; + _proto.onBufferFlushed = function onBufferFlushed() { + var _this3 = this; - MP3Demuxer.prototype.resetTimeStamp = function resetTimeStamp() {}; - - MP3Demuxer.probe = function probe(data) { - // check if data contains ID3 timestamp and MPEG sync word - var offset = void 0, - length = void 0; - var id3Data = id3["a" /* default */].getID3Data(data, 0); - if (id3Data && id3["a" /* default */].getTimeStamp(id3Data) !== undefined) { - // 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 - for (offset = id3Data.length, length = Math.min(data.length - 1, offset + 100); offset < length; offset++) { - if (mpegaudio.probe(data, offset)) { - logger["b" /* logger */].log('MPEG Audio sync word found !'); - return true; - } - } - } - return false; - }; + var pendingData = this.pendingData; - // feed incoming data to the front of the parsing pipeline + if (pendingData && pendingData.length) { + logger["logger"].log('AudioStreamController: appending pending audio data after buffer flushed'); + pendingData.forEach(function (appendObj) { + _this3.hls.trigger(events["default"].BUFFER_APPENDING, appendObj); + }); + this.appended = true; + this.pendingData = []; + this.state = State.PARSED; + } else { + // move to IDLE once flush complete. this should trigger new fragment loading + this.state = State.IDLE; // reset reference to frag + this.fragPrevious = null; + this.tick(); + } + }; - MP3Demuxer.prototype.append = function append(data, timeOffset, contiguous, accurateTimeOffset) { - var id3Data = id3["a" /* default */].getID3Data(data, 0); - var timestamp = id3["a" /* default */].getTimeStamp(id3Data); - var pts = timestamp ? 90 * timestamp : timeOffset * 90000; - var offset = id3Data.length; - var length = data.length; - var frameIndex = 0, - stamp = 0; - var track = this._audioTrack; + audio_stream_controller_createClass(AudioStreamController, [{ + key: "state", + set: function set(nextState) { + if (this.state !== nextState) { + var previousState = this.state; + this._state = nextState; + logger["logger"].log("audio stream:" + previousState + "->" + nextState); + } + }, + get: function get() { + return this._state; + } + }]); - var id3Samples = [{ pts: pts, dts: pts, data: id3Data }]; + return AudioStreamController; + }(base_stream_controller_BaseStreamController); - while (offset < length) { - if (mpegaudio.isHeader(data, offset)) { - var frame = mpegaudio.appendFrame(track, data, offset, pts, frameIndex); - if (frame) { - offset += frame.length; - stamp = frame.sample.pts; - frameIndex++; - } else { - // logger.log('Unable to parse Mpeg audio frame'); - break; - } - } else if (id3["a" /* default */].isHeader(data, offset)) { - id3Data = id3["a" /* default */].getID3Data(data, offset); - id3Samples.push({ pts: stamp, dts: stamp, data: id3Data }); - offset += id3Data.length; - } else { - // nothing found, keep looking - offset++; + /* harmony default export */ var audio_stream_controller = (audio_stream_controller_AudioStreamController); +// CONCATENATED MODULE: ./src/utils/vttcue.js + /** + * Copyright 2013 vtt.js Contributors + * + * Licensed under the Apache License, Version 2.0 (the "License"); + * you may not use this file except in compliance with the License. + * You may obtain a copy of the License at + * + * http://www.apache.org/licenses/LICENSE-2.0 + * + * Unless required by applicable law or agreed to in writing, software + * distributed under the License is distributed on an "AS IS" BASIS, + * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. + * See the License for the specific language governing permissions and + * limitations under the License. + */ + /* harmony default export */ var vttcue = ((function () { + if (typeof window !== 'undefined' && window.VTTCue) { + return window.VTTCue; } - } - this.remuxer.remux(track, { samples: [] }, { samples: id3Samples, inputTimeScale: 90000 }, { samples: [] }, timeOffset, contiguous, accurateTimeOffset); - }; + var autoKeyword = 'auto'; + var directionSetting = { + '': true, + lr: true, + rl: true + }; + var alignSetting = { + start: true, + middle: true, + end: true, + left: true, + right: true + }; - MP3Demuxer.prototype.destroy = function destroy() {}; + function findDirectionSetting(value) { + if (typeof value !== 'string') { + return false; + } - return MP3Demuxer; - }(); + var dir = directionSetting[value.toLowerCase()]; + return dir ? value.toLowerCase() : false; + } - /* harmony default export */ var mp3demuxer = (mp3demuxer_MP3Demuxer); -// CONCATENATED MODULE: ./src/remux/aac-helper.js - function aac_helper__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + function findAlignSetting(value) { + if (typeof value !== 'string') { + return false; + } - /** - * AAC helper - */ + var align = alignSetting[value.toLowerCase()]; + return align ? value.toLowerCase() : false; + } - var AAC = function () { - function AAC() { - aac_helper__classCallCheck(this, AAC); - } + function extend(obj) { + var i = 1; - 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]); - } + for (; i < arguments.length; i++) { + var cobj = arguments[i]; - 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]); + for (var p in cobj) { + obj[p] = cobj[p]; + } } - break; - } - return null; - }; - return AAC; - }(); + return obj; + } + + function VTTCue(startTime, endTime, text) { + var cue = this; + var baseObj = {}; + baseObj.enumerable = true; + /** + * Shim implementation specific properties. These properties are not in + * the spec. + */ + // Lets us know when the VTTCue's data has changed in such a way that we need + // to recompute its display state. This lets us compute its display state + // lazily. + + cue.hasBeenReset = false; + /** + * VTTCue and TextTrackCue properties + * http://dev.w3.org/html5/webvtt/#vttcue-interface + */ + + var _id = ''; + var _pauseOnExit = false; + var _startTime = startTime; + var _endTime = endTime; + var _text = text; + var _region = null; + var _vertical = ''; + var _snapToLines = true; + var _line = 'auto'; + var _lineAlign = 'start'; + var _position = 50; + var _positionAlign = 'middle'; + var _size = 50; + var _align = 'middle'; + Object.defineProperty(cue, 'id', extend({}, baseObj, { + get: function get() { + return _id; + }, + set: function set(value) { + _id = '' + value; + } + })); + Object.defineProperty(cue, 'pauseOnExit', extend({}, baseObj, { + get: function get() { + return _pauseOnExit; + }, + set: function set(value) { + _pauseOnExit = !!value; + } + })); + Object.defineProperty(cue, 'startTime', extend({}, baseObj, { + get: function get() { + return _startTime; + }, + set: function set(value) { + if (typeof value !== 'number') { + throw new TypeError('Start time must be set to a number.'); + } - /* harmony default export */ var aac_helper = (AAC); -// CONCATENATED MODULE: ./src/remux/mp4-generator.js - function mp4_generator__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + _startTime = value; + this.hasBeenReset = true; + } + })); + Object.defineProperty(cue, 'endTime', extend({}, baseObj, { + get: function get() { + return _endTime; + }, + set: function set(value) { + if (typeof value !== 'number') { + throw new TypeError('End time must be set to a number.'); + } - /** - * Generate MP4 Box - */ + _endTime = value; + this.hasBeenReset = true; + } + })); + Object.defineProperty(cue, 'text', extend({}, baseObj, { + get: function get() { + return _text; + }, + set: function set(value) { + _text = '' + value; + this.hasBeenReset = true; + } + })); + Object.defineProperty(cue, 'region', extend({}, baseObj, { + get: function get() { + return _region; + }, + set: function set(value) { + _region = value; + this.hasBeenReset = true; + } + })); + Object.defineProperty(cue, 'vertical', extend({}, baseObj, { + get: function get() { + return _vertical; + }, + set: function set(value) { + var setting = findDirectionSetting(value); // Have to check for false because the setting an be an empty string. + + if (setting === false) { + throw new SyntaxError('An invalid or illegal string was specified.'); + } - var UINT32_MAX = Math.pow(2, 32) - 1; + _vertical = setting; + this.hasBeenReset = true; + } + })); + Object.defineProperty(cue, 'snapToLines', extend({}, baseObj, { + get: function get() { + return _snapToLines; + }, + set: function set(value) { + _snapToLines = !!value; + this.hasBeenReset = true; + } + })); + Object.defineProperty(cue, 'line', extend({}, baseObj, { + get: function get() { + return _line; + }, + set: function set(value) { + if (typeof value !== 'number' && value !== autoKeyword) { + throw new SyntaxError('An invalid number or illegal string was specified.'); + } - var MP4 = function () { - function MP4() { - mp4_generator__classCallCheck(this, MP4); - } + _line = value; + this.hasBeenReset = true; + } + })); + Object.defineProperty(cue, 'lineAlign', extend({}, baseObj, { + get: function get() { + return _lineAlign; + }, + set: function set(value) { + var setting = findAlignSetting(value); + + if (!setting) { + throw new SyntaxError('An invalid or illegal string was specified.'); + } - 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: [] - }; + _lineAlign = setting; + this.hasBeenReset = true; + } + })); + Object.defineProperty(cue, 'position', extend({}, baseObj, { + get: function get() { + return _position; + }, + set: function set(value) { + if (value < 0 || value > 100) { + throw new Error('Position must be between 0 and 100.'); + } - var i = void 0; - 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)]; - } - } + _position = value; + this.hasBeenReset = true; + } + })); + Object.defineProperty(cue, 'positionAlign', extend({}, baseObj, { + get: function get() { + return _positionAlign; + }, + set: function set(value) { + var setting = findAlignSetting(value); + + if (!setting) { + throw new SyntaxError('An invalid or illegal string was specified.'); + } - 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 - }; + _positionAlign = setting; + this.hasBeenReset = true; + } + })); + Object.defineProperty(cue, 'size', extend({}, baseObj, { + get: function get() { + return _size; + }, + set: function set(value) { + if (value < 0 || value > 100) { + throw new Error('Size must be between 0 and 100.'); + } - 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 payload = Array.prototype.slice.call(arguments, 1), - size = 8, - i = payload.length, - len = i, - result = void 0; - // calculate the total size we need to allocate - while (i--) { - size += payload[i].byteLength; - } + _size = value; + this.hasBeenReset = true; + } + })); + Object.defineProperty(cue, 'align', extend({}, baseObj, { + get: function get() { + return _align; + }, + set: function set(value) { + var setting = findAlignSetting(value); + + if (!setting) { + throw new SyntaxError('An invalid or illegal string was specified.'); + } - 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; - }; + _align = setting; + this.hasBeenReset = true; + } + })); + /** + * Other <track> spec defined properties + */ + // http://www.whatwg.org/specs/web-apps/current-work/multipage/the-video-element.html#text-track-cue-display-state - MP4.hdlr = function hdlr(type) { - return MP4.box(MP4.types.hdlr, MP4.HDLR_TYPES[type]); - }; + cue.displayState = void 0; + } + /** + * VTTCue methods + */ - 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])); - }; + VTTCue.prototype.getCueAsHTML = function () { + // Assume WebVTT.convertCueToDOMTree is on the global. + var WebVTT = window.WebVTT; + return WebVTT.convertCueToDOMTree(window, this.text); + }; - MP4.mdia = function mdia(track) { - return MP4.box(MP4.types.mdia, MP4.mdhd(track.timescale, track.duration), MP4.hdlr(track.type), MP4.minf(track)); - }; + return VTTCue; + })()); +// CONCATENATED MODULE: ./src/utils/vttparser.js + /* + * Source: https://github.com/mozilla/vtt.js/blob/master/dist/vtt.js#L1716 + */ - 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)); - } - }; + var StringDecoder = function StringDecoder() { + return { + decode: function decode(data) { + if (!data) { + return ''; + } - 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 - */ + if (typeof data !== 'string') { + throw new Error('Error - expected string data.'); + } + return decodeURIComponent(encodeURIComponent(data)); + } + }; + }; - MP4.moov = function moov(tracks) { - var i = tracks.length, - boxes = []; + function VTTParser() { + this.window = window; + this.state = 'INITIAL'; + this.buffer = ''; + this.decoder = new StringDecoder(); + this.regionList = []; + } // Try to parse input as a time stamp. - 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))); - }; + function parseTimeStamp(input) { + function computeSeconds(h, m, s, f) { + return (h | 0) * 3600 + (m | 0) * 60 + (s | 0) + (f | 0) / 1000; + } - MP4.mvex = function mvex(tracks) { - var i = tracks.length, - boxes = []; + var m = input.match(/^(\d+):(\d{2})(:\d{2})?\.(\d{3})/); - while (i--) { - boxes[i] = MP4.trex(tracks[i]); - } + if (!m) { + return null; + } - return MP4.box.apply(null, [MP4.types.mvex].concat(boxes)); - }; + if (m[3]) { + // Timestamp takes the form of [hours]:[minutes]:[seconds].[milliseconds] + return computeSeconds(m[1], m[2], m[3].replace(':', ''), m[4]); + } else if (m[1] > 59) { + // Timestamp takes the form of [hours]:[minutes].[milliseconds] + // First position is hours as it's over 59. + return computeSeconds(m[1], m[2], 0, m[4]); + } else { + // Timestamp takes the form of [minutes]:[seconds].[milliseconds] + return computeSeconds(0, m[1], m[2], m[4]); + } + } // A settings object holds key/value pairs and will ignore anything but the first +// assignment to a specific key. - 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 || [], - bytes = new Uint8Array(4 + samples.length), - flags = void 0, - i = void 0; - // 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; + function Settings() { + this.values = Object.create(null); } - return MP4.box(MP4.types.sdtp, bytes); - }; + Settings.prototype = { + // Only accept the first assignment to any key. + set: function set(k, v) { + if (!this.get(k) && v !== '') { + this.values[k] = v; + } + }, + // Return the value for a key, or a default value. + // If 'defaultKey' is passed then 'dflt' is assumed to be an object with + // a number of possible default values as properties where 'defaultKey' is + // the key of the property that will be chosen; otherwise it's assumed to be + // a single value. + get: function get(k, dflt, defaultKey) { + if (defaultKey) { + return this.has(k) ? this.values[k] : dflt[defaultKey]; + } - 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)); - }; + return this.has(k) ? this.values[k] : dflt; + }, + // Check whether we have a value for a key. + has: function has(k) { + return k in this.values; + }, + // Accept a setting if its one of the given alternatives. + alt: function alt(k, v, a) { + for (var n = 0; n < a.length; ++n) { + if (v === a[n]) { + this.set(k, v); + break; + } + } + }, + // Accept a setting if its a valid (signed) integer. + integer: function integer(k, v) { + if (/^-?\d+$/.test(v)) { + // integer + this.set(k, parseInt(v, 10)); + } + }, + // Accept a setting if its a valid percentage. + percent: function percent(k, v) { + var m; - MP4.avc1 = function avc1(track) { - var sps = [], - pps = [], - i = void 0, - data = void 0, - len = void 0; - // 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)); - } + if (m = v.match(/^([\d]{1,3})(\.[\d]*)?%$/)) { + v = parseFloat(v); - // 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); + if (v >= 0 && v <= 100) { + this.set(k, v); + return true; + } + } - pps = pps.concat(Array.prototype.slice.call(data)); - } + return false; + } + }; // Helper function to parse input into groups separated by 'groupDelim', and +// interprete each group as a key/value pair separated by 'keyValueDelim'. - 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" - width = track.width, - height = track.height, - hSpacing = track.pixelRatio[0], - 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]))); - }; + function parseOptions(input, callback, keyValueDelim, groupDelim) { + var groups = groupDelim ? input.split(groupDelim) : [input]; - 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 - }; + for (var i in groups) { + if (typeof groups[i] !== 'string') { + continue; + } - 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))); - }; + var kv = groups[i].split(keyValueDelim); - 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])); - }; + if (kv.length !== 2) { + continue; + } - 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)); + var k = kv[0]; + var v = kv[1]; + callback(k, v); } - - 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, - duration = track.duration * track.timescale, - width = track.width, - height = track.height, - upperWordDuration = Math.floor(duration / (UINT32_MAX + 1)), - 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), - id = track.id, - upperWordBaseMediaDecodeTime = Math.floor(baseMediaDecodeTime / (UINT32_MAX + 1)), - 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 - */ + var defaults = new vttcue(0, 0, 0); // 'middle' was changed to 'center' in the spec: https://github.com/w3c/webvtt/pull/244 +// Safari doesn't yet support this change, but FF and Chrome do. - MP4.trak = function trak(track) { - track.duration = track.duration || 0xffffffff; - return MP4.box(MP4.types.trak, MP4.tkhd(track), MP4.mdia(track)); - }; + var center = defaults.align === 'middle' ? 'middle' : 'center'; - 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 - ])); - }; + function parseCue(input, cue, regionList) { + // Remember the original input if we need to throw an error. + var oInput = input; // 4.1 WebVTT timestamp - MP4.trun = function trun(track, offset) { - var samples = track.samples || [], - len = samples.length, - arraylen = 12 + 16 * len, - array = new Uint8Array(arraylen), - i = void 0, - sample = void 0, - duration = void 0, - size = void 0, - flags = void 0, - cts = void 0; - 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); - }; + function consumeTimeStamp() { + var ts = parseTimeStamp(input); - MP4.initSegment = function initSegment(tracks) { - if (!MP4.types) { - MP4.init(); - } + if (ts === null) { + throw new Error('Malformed timestamp: ' + oInput); + } // Remove time stamp from input. - var movie = MP4.moov(tracks), - result = void 0; - result = new Uint8Array(MP4.FTYP.byteLength + movie.byteLength); - result.set(MP4.FTYP); - result.set(movie, MP4.FTYP.byteLength); - return result; - }; - return MP4; - }(); + input = input.replace(/^[^\sa-zA-Z-]+/, ''); + return ts; + } // 4.4.2 WebVTT cue settings - /* harmony default export */ var mp4_generator = (MP4); -// CONCATENATED MODULE: ./src/remux/mp4-remuxer.js - function mp4_remuxer__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } - /** - * fMP4 remuxer - */ + function consumeCueSettings(input, cue) { + var settings = new Settings(); + parseOptions(input, function (k, v) { + switch (k) { + case 'region': + // Find the last region we parsed with the same region id. + for (var i = regionList.length - 1; i >= 0; i--) { + if (regionList[i].id === v) { + settings.set(k, regionList[i].region); + break; + } + } + break; + case 'vertical': + settings.alt(k, v, ['rl', 'lr']); + break; + case 'line': + var vals = v.split(','), + vals0 = vals[0]; + settings.integer(k, vals0); + if (settings.percent(k, vals0)) { + settings.set('snapToLines', false); + } + settings.alt(k, vals0, ['auto']); + if (vals.length === 2) { + settings.alt('lineAlign', vals[1], ['start', center, 'end']); + } + break; + case 'position': + vals = v.split(','); + settings.percent(k, vals[0]); -// 10 seconds - var MAX_SILENT_FRAME_DURATION = 10 * 1000; + if (vals.length === 2) { + settings.alt('positionAlign', vals[1], ['start', center, 'end', 'line-left', 'line-right', 'auto']); + } - var mp4_remuxer_MP4Remuxer = function () { - function MP4Remuxer(observer, config, typeSupported, vendor) { - mp4_remuxer__classCallCheck(this, MP4Remuxer); + break; - this.observer = observer; - this.config = config; - this.typeSupported = typeSupported; - var userAgent = navigator.userAgent; - this.isSafari = vendor && vendor.indexOf('Apple') > -1 && userAgent && !userAgent.match('CriOS'); - this.ISGenerated = false; - } + case 'size': + settings.percent(k, v); + break; - MP4Remuxer.prototype.destroy = function destroy() {}; + case 'align': + settings.alt(k, v, ['start', center, 'end', 'left', 'right']); + break; + } + }, /:/, /\s/); // Apply default values for any missing fields. - MP4Remuxer.prototype.resetTimeStamp = function resetTimeStamp(defaultTimeStamp) { - this._initPTS = this._initDTS = defaultTimeStamp; - }; + cue.region = settings.get('region', null); + cue.vertical = settings.get('vertical', ''); + var line = settings.get('line', 'auto'); - MP4Remuxer.prototype.resetInitSegment = function resetInitSegment() { - this.ISGenerated = false; - }; + if (line === 'auto' && defaults.line === -1) { + // set numeric line number for Safari + line = -1; + } - MP4Remuxer.prototype.remux = function remux(audioTrack, videoTrack, id3Track, textTrack, timeOffset, contiguous, accurateTimeOffset) { - // generate Init Segment if needed - if (!this.ISGenerated) { - this.generateIS(audioTrack, videoTrack, timeOffset); - } + cue.line = line; + cue.lineAlign = settings.get('lineAlign', 'start'); + cue.snapToLines = settings.get('snapToLines', true); + cue.size = settings.get('size', 100); + cue.align = settings.get('align', center); + var position = settings.get('position', 'auto'); - if (this.ISGenerated) { - var nbAudioSamples = audioTrack.samples.length; - var nbVideoSamples = videoTrack.samples.length; - var audioTimeOffset = timeOffset; - var videoTimeOffset = timeOffset; - if (nbAudioSamples && nbVideoSamples) { - // 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 audiovideoDeltaDts = (audioTrack.samples[0].dts - videoTrack.samples[0].dts) / videoTrack.inputTimeScale; - audioTimeOffset += Math.max(0, audiovideoDeltaDts); - videoTimeOffset += Math.max(0, -audiovideoDeltaDts); - } - // Purposefully remuxing audio before video, so that remuxVideo can use nextAudioPts, which is - // calculated in remuxAudio. - // logger.log('nb AAC samples:' + audioTrack.samples.length); - if (nbAudioSamples) { - // if initSegment was generated without video samples, regenerate it again - if (!audioTrack.timescale) { - logger["b" /* logger */].warn('regenerate InitSegment as audio detected'); - this.generateIS(audioTrack, videoTrack, timeOffset); + if (position === 'auto' && defaults.position === 50) { + // set numeric position for Safari + position = cue.align === 'start' || cue.align === 'left' ? 0 : cue.align === 'end' || cue.align === 'right' ? 100 : 50; } - var audioData = this.remuxAudio(audioTrack, audioTimeOffset, contiguous, accurateTimeOffset); - // logger.log('nb AVC samples:' + videoTrack.samples.length); - if (nbVideoSamples) { - var audioTrackLength = void 0; - if (audioData) { - audioTrackLength = audioData.endPTS - audioData.startPTS; - } - // if initSegment was generated without video samples, regenerate it again - if (!videoTrack.timescale) { - logger["b" /* logger */].warn('regenerate InitSegment as video detected'); - this.generateIS(audioTrack, videoTrack, timeOffset); - } - this.remuxVideo(videoTrack, videoTimeOffset, contiguous, audioTrackLength, accurateTimeOffset); - } - } else { - // logger.log('nb AVC samples:' + videoTrack.samples.length); - if (nbVideoSamples) { - var videoData = this.remuxVideo(videoTrack, videoTimeOffset, contiguous, 0, accurateTimeOffset); - if (videoData && audioTrack.codec) { - this.remuxEmptyAudio(audioTrack, audioTimeOffset, contiguous, videoData); - } - } + cue.position = position; } - } - // logger.log('nb ID3 samples:' + audioTrack.samples.length); - if (id3Track.samples.length) { - this.remuxID3(id3Track, timeOffset); - } - // logger.log('nb ID3 samples:' + audioTrack.samples.length); - if (textTrack.samples.length) { - this.remuxText(textTrack, timeOffset); - } - - // notify end of parsing - this.observer.trigger(events["a" /* default */].FRAG_PARSED); - }; + function skipWhitespace() { + input = input.replace(/^\s+/, ''); + } // 4.1 WebVTT cue timings. - MP4Remuxer.prototype.generateIS = function generateIS(audioTrack, videoTrack, timeOffset) { - var observer = this.observer, - audioSamples = audioTrack.samples, - videoSamples = videoTrack.samples, - typeSupported = this.typeSupported, - container = 'audio/mp4', - tracks = {}, - data = { tracks: tracks }, - computePTSDTS = this._initPTS === undefined, - initPTS = void 0, - initDTS = void 0; - - 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; - logger["b" /* logger */].log('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 = { - container: container, - codec: audioTrack.codec, - initSegment: !audioTrack.isAAC && typeSupported.mpeg ? new Uint8Array() : mp4_generator.initSegment([audioTrack]), - metadata: { - channelCount: audioTrack.channelCount - } - }; - if (computePTSDTS) { - // remember first PTS of this demuxing context. for audio, PTS = DTS - initPTS = initDTS = audioSamples[0].pts - audioTrack.inputTimeScale * timeOffset; - } - } + skipWhitespace(); + cue.startTime = consumeTimeStamp(); // (1) collect cue start time - 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 - var inputTimeScale = videoTrack.inputTimeScale; - videoTrack.timescale = inputTimeScale; - tracks.video = { - container: 'video/mp4', - codec: videoTrack.codec, - initSegment: mp4_generator.initSegment([videoTrack]), - metadata: { - width: videoTrack.width, - height: videoTrack.height - } - }; - if (computePTSDTS) { - initPTS = Math.min(initPTS, videoSamples[0].pts - inputTimeScale * timeOffset); - initDTS = Math.min(initDTS, videoSamples[0].dts - inputTimeScale * timeOffset); - this.observer.trigger(events["a" /* default */].INIT_PTS_FOUND, { initPTS: initPTS }); - } - } + skipWhitespace(); - if (Object.keys(tracks).length) { - observer.trigger(events["a" /* default */].FRAG_PARSING_INIT_SEGMENT, data); - this.ISGenerated = true; - if (computePTSDTS) { - this._initPTS = initPTS; - this._initDTS = initDTS; + if (input.substr(0, 3) !== '-->') { + // (3) next characters must match '-->' + throw new Error('Malformed time stamp (time stamps must be separated by \'-->\'): ' + oInput); } - } else { - observer.trigger(events["a" /* default */].ERROR, { type: errors["b" /* ErrorTypes */].MEDIA_ERROR, details: errors["a" /* ErrorDetails */].FRAG_PARSING_ERROR, fatal: false, reason: 'no audio/video samples found' }); - } - }; - MP4Remuxer.prototype.remuxVideo = function remuxVideo(track, timeOffset, contiguous, audioTrackLength, accurateTimeOffset) { - var offset = 8, - timeScale = track.timescale, - mp4SampleDuration = void 0, - mdat = void 0, - moof = void 0, - firstPTS = void 0, - firstDTS = void 0, - nextDTS = void 0, - lastPTS = void 0, - lastDTS = void 0, - inputSamples = track.samples, - outputSamples = [], - nbSamples = inputSamples.length, - ptsNormalize = this._PTSNormalize, - initDTS = this._initDTS; - - // for (let i = 0; i < track.samples.length; i++) { - // let avcSample = track.samples[i]; - // let units = avcSample.units; - // let unitsString = ''; - // for (let j = 0; j < units.length ; j++) { - // unitsString += units[j].type + ','; - // if (units[j].data.length < 500) { - // unitsString += Hex.hexDump(units[j].data); - // } - // } - // logger.log(avcSample.pts + '/' + avcSample.dts + ',' + unitsString + avcSample.units.length); - // } - - // if parsed fragment is contiguous with last one, let's use last DTS value as reference - var nextAvcDts = this.nextAvcDts; - - var isSafari = this.isSafari; - - if (nbSamples === 0) { - return; - } + input = input.substr(3); + skipWhitespace(); + cue.endTime = consumeTimeStamp(); // (5) collect cue end time + // 4.1 WebVTT cue settings list. - // Safari does not like overlapping DTS on consecutive fragments. let's use nextAvcDts to overcome this if fragments are consecutive - if (isSafari) { - // 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 200 ms PTS gaps (timeScale/5) - contiguous |= inputSamples.length && nextAvcDts && (accurateTimeOffset && Math.abs(timeOffset - nextAvcDts / timeScale) < 0.1 || Math.abs(inputSamples[0].pts - nextAvcDts - initDTS) < timeScale / 5); + skipWhitespace(); + consumeCueSettings(input, cue); } - if (!contiguous) { - // if not contiguous, let's use target timeOffset - nextAvcDts = timeOffset * timeScale; + function fixLineBreaks(input) { + return input.replace(/<br(?: \/)?>/gi, '\n'); } - // 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 - inputSamples.forEach(function (sample) { - sample.pts = ptsNormalize(sample.pts - initDTS, nextAvcDts); - sample.dts = ptsNormalize(sample.dts - initDTS, nextAvcDts); - }); - - // sort video samples by DTS then PTS then demux id order - inputSamples.sort(function (a, b) { - var deltadts = a.dts - b.dts; - var deltapts = a.pts - b.pts; - return deltadts || deltapts || a.id - b.id; - }); - - // handle broken streams with PTS < DTS, tolerance up 200ms (18000 in 90kHz timescale) - var PTSDTSshift = inputSamples.reduce(function (prev, curr) { - return Math.max(Math.min(prev, curr.pts - curr.dts), -18000); - }, 0); - if (PTSDTSshift < 0) { - logger["b" /* logger */].warn('PTS < DTS detected in video samples, shifting DTS by ' + Math.round(PTSDTSshift / 90) + ' ms to overcome this issue'); - for (var i = 0; i < inputSamples.length; i++) { - inputSamples[i].dts += PTSDTSshift; - } - } + VTTParser.prototype = { + parse: function parse(data) { + var self = this; // If there is no data then we won't decode it, but will just try to parse + // whatever is in buffer already. This may occur in circumstances, for + // example when flush() is called. - // compute first DTS and last DTS, normalize them against reference value - var sample = inputSamples[0]; - firstDTS = Math.max(sample.dts, 0); - firstPTS = Math.max(sample.pts, 0); - - // check timestamp continuity accross consecutive fragments (this is to remove inter-fragment gap/hole) - var delta = Math.round((firstDTS - nextAvcDts) / 90); - // if fragment are contiguous, detect hole/overlapping between fragments - if (contiguous) { - if (delta) { - if (delta > 1) { - logger["b" /* logger */].log('AVC:' + delta + ' ms hole between fragments detected,filling it'); - } else if (delta < -1) { - logger["b" /* logger */].log('AVC:' + -delta + ' ms overlapping between fragments detected'); + if (data) { + // Try to decode the data that we received. + self.buffer += self.decoder.decode(data, { + stream: true + }); } - // remove hole/gap : set DTS to next expected DTS - firstDTS = nextAvcDts; - inputSamples[0].dts = firstDTS; - // offset PTS as well, ensure that PTS is smaller or equal than new DTS - firstPTS = Math.max(firstPTS - delta, nextAvcDts); - inputSamples[0].pts = firstPTS; - logger["b" /* logger */].log('Video/PTS/DTS adjusted: ' + Math.round(firstPTS / 90) + '/' + Math.round(firstDTS / 90) + ',delta:' + delta + ' ms'); - } - } - nextDTS = firstDTS; - - // compute lastPTS/lastDTS - sample = inputSamples[inputSamples.length - 1]; - lastDTS = Math.max(sample.dts, 0); - lastPTS = Math.max(sample.pts, 0, lastDTS); - - // 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. - if (isSafari) { - mp4SampleDuration = Math.round((lastDTS - firstDTS) / (inputSamples.length - 1)); - } + function collectNextLine() { + var buffer = self.buffer; + var pos = 0; + buffer = fixLineBreaks(buffer); - var nbNalu = 0, - naluLen = 0; - for (var _i = 0; _i < nbSamples; _i++) { - // compute total/avc sample length and nb of NAL units - var _sample = inputSamples[_i], - units = _sample.units, - nbUnits = units.length, - sampleLen = 0; - for (var j = 0; j < nbUnits; j++) { - sampleLen += units[j].data.length; - } + while (pos < buffer.length && buffer[pos] !== '\r' && buffer[pos] !== '\n') { + ++pos; + } - naluLen += sampleLen; - nbNalu += nbUnits; - _sample.length = sampleLen; + var line = buffer.substr(0, pos); // Advance the buffer early in case we fail below. - // normalize PTS/DTS - if (isSafari) { - // sample DTS is computed using a constant decoding offset (mp4SampleDuration) between samples - _sample.dts = firstDTS + _i * mp4SampleDuration; - } else { - // 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); - } + if (buffer[pos] === '\r') { + ++pos; + } - /* 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; - try { - mdat = new Uint8Array(mdatSize); - } catch (err) { - this.observer.trigger(events["a" /* default */].ERROR, { type: errors["b" /* ErrorTypes */].MUX_ERROR, details: errors["a" /* 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.types.mdat, 4); - - for (var _i2 = 0; _i2 < nbSamples; _i2++) { - var avcSample = inputSamples[_i2], - avcSampleUnits = avcSample.units, - mp4SampleLength = 0, - compositionTimeOffset = void 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], - unitData = unit.data, - unitDataLen = unit.data.byteLength; - view.setUint32(offset, unitDataLen); - offset += 4; - mdat.set(unitData, offset); - offset += unitDataLen; - mp4SampleLength += 4 + unitDataLen; - } + if (buffer[pos] === '\n') { + ++pos; + } - if (!isSafari) { - // expected sample duration is the Decoding Timestamp diff of consecutive samples - if (_i2 < nbSamples - 1) { - mp4SampleDuration = inputSamples[_i2 + 1].dts - avcSample.dts; - } else { - var config = this.config, - lastFrameDuration = avcSample.dts - inputSamples[_i2 > 0 ? _i2 - 1 : _i2].dts; - if (config.stretchShortVideoTrack) { - // 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 maxBufferHole = config.maxBufferHole, - gapTolerance = Math.floor(maxBufferHole * timeScale), - deltaToFrameEnd = (audioTrackLength ? firstPTS + 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; - } + self.buffer = buffer.substr(pos); + return line; + } // 3.2 WebVTT metadata header syntax - logger["b" /* logger */].log('It is approximately ' + deltaToFrameEnd / 90 + ' ms to the next segment; using duration ' + mp4SampleDuration / 90 + ' ms for the last video frame.'); - } else { - mp4SampleDuration = lastFrameDuration; + + function parseHeader(input) { + parseOptions(input, function (k, v) { + switch (k) { + case 'Region': + // 3.3 WebVTT region metadata header syntax + // console.log('parse region', v); + // parseRegion(v); + break; } - } else { - mp4SampleDuration = lastFrameDuration; - } - } - compositionTimeOffset = Math.round(avcSample.pts - avcSample.dts); - } else { - compositionTimeOffset = Math.max(0, mp4SampleDuration * Math.round((avcSample.pts - avcSample.dts) / mp4SampleDuration)); - } + }, /:/); + } // 5.1 WebVTT file parsing. - // console.log('PTS/DTS/initDTS/normPTS/normDTS/relative PTS : ${avcSample.pts}/${avcSample.dts}/${initDTS}/${ptsnorm}/${dtsnorm}/${(avcSample.pts/4294967296).toFixed(3)}'); - outputSamples.push({ - size: mp4SampleLength, - // constant duration - duration: mp4SampleDuration, - cts: compositionTimeOffset, - flags: { - isLeading: 0, - isDependedOn: 0, - hasRedundancy: 0, - degradPrio: 0, - dependsOn: avcSample.key ? 2 : 1, - isNonSync: avcSample.key ? 0 : 1 - } - }); - } - // next AVC sample DTS should be equal to last sample DTS + last sample duration (in PES timescale) - this.nextAvcDts = lastDTS + mp4SampleDuration; - var dropped = track.dropped; - track.len = 0; - track.nbNalu = 0; - track.dropped = 0; - if (outputSamples.length && navigator.userAgent.toLowerCase().indexOf('chrome') > -1) { - var flags = outputSamples[0].flags; - // chrome workaround, mark first sample as being a Random Access Point to avoid sourcebuffer append issue - // https://code.google.com/p/chromium/issues/detail?id=229412 - flags.dependsOn = 2; - flags.isNonSync = 0; - } - track.samples = outputSamples; - moof = mp4_generator.moof(track.sequenceNumber++, firstDTS, track); - track.samples = []; - - var data = { - data1: moof, - data2: mdat, - startPTS: firstPTS / timeScale, - endPTS: (lastPTS + mp4SampleDuration) / timeScale, - startDTS: firstDTS / timeScale, - endDTS: this.nextAvcDts / timeScale, - type: 'video', - hasAudio: false, - hasVideo: true, - nb: outputSamples.length, - dropped: dropped - }; - this.observer.trigger(events["a" /* default */].FRAG_PARSING_DATA, data); - return data; - }; - MP4Remuxer.prototype.remuxAudio = function remuxAudio(track, timeOffset, contiguous, accurateTimeOffset) { - var inputTimeScale = track.inputTimeScale, - mp4timeScale = track.timescale, - scaleFactor = inputTimeScale / mp4timeScale, - mp4SampleDuration = track.isAAC ? 1024 : 1152, - inputSampleDuration = mp4SampleDuration * scaleFactor, - ptsNormalize = this._PTSNormalize, - initDTS = this._initDTS, - rawMPEG = !track.isAAC && this.typeSupported.mpeg; - - var offset = void 0, - mp4Sample = void 0, - fillFrame = void 0, - mdat = void 0, - moof = void 0, - firstPTS = void 0, - lastPTS = void 0, - inputSamples = track.samples, - outputSamples = [], - nextAudioPts = this.nextAudioPts; - - // 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 - contiguous |= inputSamples.length && nextAudioPts && (accurateTimeOffset && Math.abs(timeOffset - nextAudioPts / inputTimeScale) < 0.1 || Math.abs(inputSamples[0].pts - nextAudioPts - initDTS) < 20 * inputSampleDuration); - - // compute normalized PTS - inputSamples.forEach(function (sample) { - sample.pts = sample.dts = ptsNormalize(sample.pts - initDTS, timeOffset * inputTimeScale); - }); + try { + var line; - // 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; - }); + if (self.state === 'INITIAL') { + // We can't start parsing until we have the first line. + if (!/\r\n|\n/.test(self.buffer)) { + return this; + } - // in case all samples have negative PTS, and have been filtered out, return now - if (inputSamples.length === 0) { - return; - } + line = collectNextLine(); // strip of UTF-8 BOM if any + // https://en.wikipedia.org/wiki/Byte_order_mark#UTF-8 - if (!contiguous) { - if (!accurateTimeOffset) { - // if frag are mot contiguous and if we cant trust time offset, let's use first sample PTS as next audio PTS - nextAudioPts = inputSamples[0].pts; - } else { - // if timeOffset is accurate, let's use it as predicted next audio PTS - nextAudioPts = timeOffset * inputTimeScale; - } - } + var m = line.match(/^()?WEBVTT([ \t].*)?$/); - // 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], - delta; - var pts = sample.pts; - delta = pts - nextPts; - - var duration = Math.abs(1000 * delta / inputTimeScale); - - // If we're overlapping by more than a duration, drop this sample - if (delta <= -maxAudioFramesDrift * inputSampleDuration) { - logger["b" /* logger */].warn('Dropping 1 audio frame @ ' + (nextPts / inputTimeScale).toFixed(3) + 's due to ' + Math.round(duration) + ' ms overlap.'); - inputSamples.splice(i, 1); - track.len -= sample.unit.length; - // Don't touch nextPtsNorm or 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 - else if (delta >= maxAudioFramesDrift * inputSampleDuration && duration < MAX_SILENT_FRAME_DURATION && nextPts) { - var missing = Math.round(delta / inputSampleDuration); - logger["b" /* logger */].warn('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.getSilentFrame(track.manifestCodec || track.codec, track.channelCount); - if (!fillFrame) { - logger["b" /* logger */].log('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 }); - track.len += fillFrame.length; - nextPts += inputSampleDuration; - i++; - } - - // Adjust sample to next expected pts - sample.pts = sample.dts = nextPts; - nextPts += inputSampleDuration; - i++; - } else { - // Otherwise, just adjust pts - if (Math.abs(delta) > 0.1 * inputSampleDuration) { - // logger.log(`Invalid frame delta ${Math.round(delta + inputSampleDuration)} at PTS ${Math.round(pts / 90)} (should be ${Math.round(inputSampleDuration)}).`); + if (!m || !m[0]) { + throw new Error('Malformed WebVTT signature.'); + } + + self.state = 'HEADER'; } - sample.pts = sample.dts = nextPts; - nextPts += inputSampleDuration; - i++; - } - } - } - for (var _j2 = 0, _nbSamples = inputSamples.length; _j2 < _nbSamples; _j2++) { - var audioSample = inputSamples[_j2]; - var unit = audioSample.unit; - var _pts = audioSample.pts; - // logger.log(`Audio/PTS:${Math.round(pts/90)}`); - // if not first sample - if (lastPTS !== undefined) { - mp4Sample.duration = Math.round((_pts - lastPTS) / scaleFactor); - } else { - var _delta = Math.round(1000 * (_pts - nextAudioPts) / inputTimeScale), - 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) { - // log delta - if (_delta) { - if (_delta > 0 && _delta < MAX_SILENT_FRAME_DURATION) { - numMissingFrames = Math.round((_pts - nextAudioPts) / inputSampleDuration); - logger["b" /* logger */].log(_delta + ' ms hole between AAC samples detected,filling it'); - if (numMissingFrames > 0) { - fillFrame = aac_helper.getSilentFrame(track.manifestCodec || track.codec, track.channelCount); - if (!fillFrame) { - fillFrame = unit.subarray(); - } + var alreadyCollectedLine = false; - track.len += 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 - logger["b" /* logger */].log('drop overlapping AAC sample, expected/parsed/delta:' + (nextAudioPts / inputTimeScale).toFixed(3) + 's/' + (_pts / inputTimeScale).toFixed(3) + 's/' + -_delta + 'ms'); - track.len -= unit.byteLength; - continue; + while (self.buffer) { + // We can't parse a line until we have the full line. + if (!/\r\n|\n/.test(self.buffer)) { + return this; } - // set PTS/DTS to expected PTS/DTS - _pts = nextAudioPts; - } - } - // remember first PTS of our audioSamples - firstPTS = _pts; - if (track.len > 0) { - /* concatenate the audio data and construct the mdat in place - (need 8 more bytes to fill length and mdat type) */ - var mdatSize = rawMPEG ? track.len : track.len + 8; - offset = rawMPEG ? 0 : 8; - try { - mdat = new Uint8Array(mdatSize); - } catch (err) { - this.observer.trigger(events["a" /* default */].ERROR, { type: errors["b" /* ErrorTypes */].MUX_ERROR, details: errors["a" /* 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.types.mdat, 4); - } - } else { - // no audio samples - return; - } - for (var _i3 = 0; _i3 < numMissingFrames; _i3++) { - fillFrame = aac_helper.getSilentFrame(track.manifestCodec || track.codec, track.channelCount); - if (!fillFrame) { - logger["b" /* logger */].log('Unable to get silent frame for given audio codec; duplicating this frame instead.'); - fillFrame = unit.subarray(); - } - mdat.set(fillFrame, offset); - offset += fillFrame.byteLength; - mp4Sample = { - size: fillFrame.byteLength, - cts: 0, - duration: 1024, - flags: { - isLeading: 0, - isDependedOn: 0, - hasRedundancy: 0, - degradPrio: 0, - dependsOn: 1 + + if (!alreadyCollectedLine) { + line = collectNextLine(); + } else { + alreadyCollectedLine = false; } - }; - outputSamples.push(mp4Sample); - } - } - mdat.set(unit, offset); - var unitLen = unit.byteLength; - offset += unitLen; - // console.log('PTS/DTS/initDTS/normPTS/normDTS/relative PTS : ${audioSample.pts}/${audioSample.dts}/${initDTS}/${ptsnorm}/${dtsnorm}/${(audioSample.pts/4294967296).toFixed(3)}'); - mp4Sample = { - size: unitLen, - cts: 0, - duration: 0, - flags: { - isLeading: 0, - isDependedOn: 0, - hasRedundancy: 0, - degradPrio: 0, - dependsOn: 1 - } - }; - outputSamples.push(mp4Sample); - lastPTS = _pts; - } - var lastSampleDuration = 0; - var nbSamples = outputSamples.length; - // set last sample duration as being identical to previous sample - if (nbSamples >= 2) { - lastSampleDuration = outputSamples[nbSamples - 2].duration; - mp4Sample.duration = lastSampleDuration; - } - if (nbSamples) { - // next audio sample PTS should be equal to last sample PTS + duration - this.nextAudioPts = nextAudioPts = lastPTS + scaleFactor * lastSampleDuration; - // logger.log('Audio/PTS/PTSend:' + audioSample.pts.toFixed(0) + '/' + this.nextAacDts.toFixed(0)); - track.len = 0; - track.samples = outputSamples; - if (rawMPEG) { - moof = new Uint8Array(); - } else { - moof = mp4_generator.moof(track.sequenceNumber++, firstPTS / scaleFactor, track); - } - track.samples = []; - var start = firstPTS / inputTimeScale; - var end = nextAudioPts / inputTimeScale; - var audioData = { - data1: moof, - data2: mdat, - startPTS: start, - endPTS: end, - startDTS: start, - endDTS: end, - type: 'audio', - hasAudio: true, - hasVideo: false, - nb: nbSamples - }; - this.observer.trigger(events["a" /* default */].FRAG_PARSING_DATA, audioData); - return audioData; - } - return null; - }; + switch (self.state) { + case 'HEADER': + // 13-18 - Allow a header (metadata) under the WEBVTT line. + if (/:/.test(line)) { + parseHeader(line); + } else if (!line) { + // An empty line terminates the header and starts the body (cues). + self.state = 'ID'; + } - MP4Remuxer.prototype.remuxEmptyAudio = function remuxEmptyAudio(track, timeOffset, contiguous, videoData) { - var inputTimeScale = track.inputTimeScale, - mp4timeScale = track.samplerate ? track.samplerate : inputTimeScale, - scaleFactor = inputTimeScale / mp4timeScale, - nextAudioPts = this.nextAudioPts, + continue; + case 'NOTE': + // Ignore NOTE blocks. + if (!line) { + self.state = 'ID'; + } - // sync with video's timestamp - startDTS = (nextAudioPts !== undefined ? nextAudioPts : videoData.startDTS * inputTimeScale) + this._initDTS, - endDTS = videoData.endDTS * inputTimeScale + this._initDTS, + continue; - // one sample's duration value - sampleDuration = 1024, - frameDuration = scaleFactor * sampleDuration, + case 'ID': + // Check for the start of NOTE blocks. + if (/^NOTE($|[ \t])/.test(line)) { + self.state = 'NOTE'; + break; + } // 19-29 - Allow any number of line terminators, then initialize new cue values. - // samples count of this segment's duration - nbSamples = Math.ceil((endDTS - startDTS) / frameDuration), + if (!line) { + continue; + } + self.cue = new vttcue(0, 0, ''); + self.state = 'CUE'; // 30-39 - Check if self line contains an optional identifier or timing data. - // silent frame - silentFrame = aac_helper.getSilentFrame(track.manifestCodec || track.codec, track.channelCount); + if (line.indexOf('-->') === -1) { + self.cue.id = line; + continue; + } - logger["b" /* logger */].warn('remux empty Audio'); - // Can't remux if we can't generate a silent frame... - if (!silentFrame) { - logger["b" /* logger */].trace('Unable to remuxEmptyAudio since we were unable to get a silent frame for given audio codec!'); - return; - } + // Process line as start of a cue. - var samples = []; - for (var i = 0; i < nbSamples; i++) { - var stamp = startDTS + i * frameDuration; - samples.push({ unit: silentFrame, pts: stamp, dts: stamp }); - track.len += silentFrame.length; - } - track.samples = samples; + /* falls through */ - this.remuxAudio(track, timeOffset, contiguous); - }; + case 'CUE': + // 40 - Collect cue timings and settings. + try { + parseCue(line, self.cue, self.regionList); + } catch (e) { + // In case of an error ignore rest of the cue. + self.cue = null; + self.state = 'BADCUE'; + continue; + } - MP4Remuxer.prototype.remuxID3 = function remuxID3(track, timeOffset) { - var length = track.samples.length, - sample = void 0; - var inputTimeScale = track.inputTimeScale; - var initPTS = this._initPTS; - var initDTS = this._initDTS; - // consume samples - if (length) { - for (var index = 0; index < length; index++) { - sample = track.samples[index]; - // setting id3 pts, dts to relative time - // using this._initPTS and this._initDTS to calculate relative time - sample.pts = (sample.pts - initPTS) / inputTimeScale; - sample.dts = (sample.dts - initDTS) / inputTimeScale; - } - this.observer.trigger(events["a" /* default */].FRAG_PARSING_METADATA, { - samples: track.samples - }); - } + self.state = 'CUETEXT'; + continue; - track.samples = []; - timeOffset = timeOffset; - }; + case 'CUETEXT': + var hasSubstring = line.indexOf('-->') !== -1; // 34 - If we have an empty line then report the cue. + // 35 - If we have the special substring '-->' then report the cue, + // but do not collect the line as we need to process the current + // one as a new cue. - MP4Remuxer.prototype.remuxText = function remuxText(track, timeOffset) { - track.samples.sort(function (a, b) { - return a.pts - b.pts; - }); + if (!line || hasSubstring && (alreadyCollectedLine = true)) { + // We are done parsing self cue. + if (self.oncue) { + self.oncue(self.cue); + } - var length = track.samples.length, - sample = void 0; - var inputTimeScale = track.inputTimeScale; - var initPTS = this._initPTS; - // consume samples - if (length) { - for (var index = 0; index < length; index++) { - sample = track.samples[index]; - // setting text pts, dts to relative time - // using this._initPTS and this._initDTS to calculate relative time - sample.pts = (sample.pts - initPTS) / inputTimeScale; - } - this.observer.trigger(events["a" /* default */].FRAG_PARSING_USERDATA, { - samples: track.samples - }); - } + self.cue = null; + self.state = 'ID'; + continue; + } - track.samples = []; - timeOffset = timeOffset; - }; + if (self.cue.text) { + self.cue.text += '\n'; + } - MP4Remuxer.prototype._PTSNormalize = function _PTSNormalize(value, reference) { - var offset = void 0; - if (reference === undefined) { - return value; - } + self.cue.text += line; + continue; - 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; - } + case 'BADCUE': + // BADCUE + // 54-62 - Collect and discard the remaining cue. + if (!line) { + self.state = 'ID'; + } - return value; - }; + continue; + } + } + } catch (e) { + // If we are currently parsing a cue, report what we have. + if (self.state === 'CUETEXT' && self.cue && self.oncue) { + self.oncue(self.cue); + } - return MP4Remuxer; - }(); + self.cue = null; // Enter BADWEBVTT state if header was not parsed correctly otherwise + // another exception occurred so enter BADCUE state. - /* harmony default export */ var mp4_remuxer = (mp4_remuxer_MP4Remuxer); -// CONCATENATED MODULE: ./src/remux/passthrough-remuxer.js - function passthrough_remuxer__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + self.state = self.state === 'INITIAL' ? 'BADWEBVTT' : 'BADCUE'; + } - /** - * passthrough remuxer - */ - - - var passthrough_remuxer_PassThroughRemuxer = function () { - function PassThroughRemuxer(observer) { - passthrough_remuxer__classCallCheck(this, PassThroughRemuxer); - - this.observer = observer; - } + return this; + }, + flush: function flush() { + var self = this; - PassThroughRemuxer.prototype.destroy = function destroy() {}; + try { + // Finish decoding the stream. + self.buffer += self.decoder.decode(); // Synthesize the end of the current cue or region. - PassThroughRemuxer.prototype.resetTimeStamp = function resetTimeStamp() {}; + if (self.cue || self.state === 'HEADER') { + self.buffer += '\n\n'; + self.parse(); + } // If we've flushed, parsed, and we're still on the INITIAL state then + // that means we don't have enough of the stream to parse the first + // line. - PassThroughRemuxer.prototype.resetInitSegment = function resetInitSegment() {}; - PassThroughRemuxer.prototype.remux = function remux(audioTrack, videoTrack, id3Track, textTrack, timeOffset, contiguous, accurateTimeOffset, rawData) { - var observer = this.observer; - var streamType = ''; - if (audioTrack) { - streamType += 'audio'; - } + if (self.state === 'INITIAL') { + throw new Error('Malformed WebVTT signature.'); + } + } catch (e) { + throw e; + } - if (videoTrack) { - streamType += 'video'; - } + if (self.onflush) { + self.onflush(); + } - observer.trigger(events["a" /* default */].FRAG_PARSING_DATA, { - data1: rawData, - startPTS: timeOffset, - startDTS: timeOffset, - type: streamType, - hasAudio: !!audioTrack, - hasVideo: !!videoTrack, - nb: 1, - dropped: 0 - }); - // notify end of parsing - observer.trigger(events["a" /* default */].FRAG_PARSED); - }; + return this; + } + }; - return PassThroughRemuxer; - }(); + /* harmony default export */ var vttparser = (VTTParser); +// CONCATENATED MODULE: ./src/utils/cues.ts - /* harmony default export */ var passthrough_remuxer = (passthrough_remuxer_PassThroughRemuxer); -// CONCATENATED MODULE: ./src/demux/demuxer-inline.js - function demuxer_inline__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + function newCue(track, startTime, endTime, captionScreen) { + var row; // the type data states this is VTTCue, but it can potentially be a TextTrackCue on old browsers - /** - * - * inline demuxer: probe fragments and instantiate - * appropriate demuxer depending on content type (TSDemuxer, AACDemuxer, ...) - * - */ + var cue; + var indenting; + var indent; + var text; + var VTTCue = window.VTTCue || TextTrackCue; + for (var r = 0; r < captionScreen.rows.length; r++) { + row = captionScreen.rows[r]; + indenting = true; + indent = 0; + text = ''; + if (!row.isEmpty()) { + for (var c = 0; c < row.chars.length; c++) { + if (row.chars[c].uchar.match(/\s/) && indenting) { + indent++; + } else { + text += row.chars[c].uchar; + indenting = false; + } + } // To be used for cleaning-up orphaned roll-up captions + row.cueStartTime = startTime; // Give a slight bump to the endTime if it's equal to startTime to avoid a SyntaxError in IE + if (startTime === endTime) { + endTime += 0.0001; + } + cue = new VTTCue(startTime, endTime, fixLineBreaks(text.trim())); + if (indent >= 16) { + indent--; + } else { + indent++; + } // VTTCue.line get's flakey when using controls, so let's now include line 13&14 + // also, drop line 1 since it's to close to the top + if (navigator.userAgent.match(/Firefox\//)) { + cue.line = r + 1; + } else { + cue.line = r > 7 ? r - 2 : r + 1; + } + cue.align = 'left'; // Clamp the position between 0 and 100 - if out of these bounds, Firefox throws an exception and captions break + cue.position = Math.max(0, Math.min(100, 100 * (indent / 32))); + track.addCue(cue); + } + } + } +// CONCATENATED MODULE: ./src/utils/cea-608-parser.ts + /** + * + * This code was ported from the dash.js project at: + * https://github.com/Dash-Industry-Forum/dash.js/blob/development/externals/cea608-parser.js + * https://github.com/Dash-Industry-Forum/dash.js/commit/8269b26a761e0853bb21d78780ed945144ecdd4d#diff-71bc295a2d6b6b7093a1d3290d53a4b2 + * + * The original copyright appears below: + * + * The copyright in this software is being made available under the BSD License, + * included below. This software may be subject to other third party and contributor + * rights, including patent rights, and no such rights are granted under this license. + * + * Copyright (c) 2015-2016, DASH Industry Forum. + * All rights reserved. + * + * Redistribution and use in source and binary forms, with or without modification, + * are permitted provided that the following conditions are met: + * 1. Redistributions of source code must retain the above copyright notice, this + * list of conditions and the following disclaimer. + * * Redistributions in binary form must reproduce the above copyright notice, + * this list of conditions and the following disclaimer in the documentation and/or + * other materials provided with the distribution. + * 2. Neither the name of Dash Industry Forum nor the names of its + * contributors may be used to endorse or promote products derived from this software + * without specific prior written permission. + * + * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY + * EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED + * WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. + * IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, + * INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT + * NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR + * PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, + * WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) + * ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE + * POSSIBILITY OF SUCH DAMAGE. + */ + /** + * Exceptions from regular ASCII. CodePoints are mapped to UTF-16 codes + */ + var specialCea608CharsCodes = { + 0x2a: 0xe1, + // lowercase a, acute accent + 0x5c: 0xe9, + // lowercase e, acute accent + 0x5e: 0xed, + // lowercase i, acute accent + 0x5f: 0xf3, + // lowercase o, acute accent + 0x60: 0xfa, + // lowercase u, acute accent + 0x7b: 0xe7, + // lowercase c with cedilla + 0x7c: 0xf7, + // division symbol + 0x7d: 0xd1, + // uppercase N tilde + 0x7e: 0xf1, + // lowercase n tilde + 0x7f: 0x2588, + // Full block + // THIS BLOCK INCLUDES THE 16 EXTENDED (TWO-BYTE) LINE 21 CHARACTERS + // THAT COME FROM HI BYTE=0x11 AND LOW BETWEEN 0x30 AND 0x3F + // THIS MEANS THAT \x50 MUST BE ADDED TO THE VALUES + 0x80: 0xae, + // Registered symbol (R) + 0x81: 0xb0, + // degree sign + 0x82: 0xbd, + // 1/2 symbol + 0x83: 0xbf, + // Inverted (open) question mark + 0x84: 0x2122, + // Trademark symbol (TM) + 0x85: 0xa2, + // Cents symbol + 0x86: 0xa3, + // Pounds sterling + 0x87: 0x266a, + // Music 8'th note + 0x88: 0xe0, + // lowercase a, grave accent + 0x89: 0x20, + // transparent space (regular) + 0x8a: 0xe8, + // lowercase e, grave accent + 0x8b: 0xe2, + // lowercase a, circumflex accent + 0x8c: 0xea, + // lowercase e, circumflex accent + 0x8d: 0xee, + // lowercase i, circumflex accent + 0x8e: 0xf4, + // lowercase o, circumflex accent + 0x8f: 0xfb, + // lowercase u, circumflex accent + // THIS BLOCK INCLUDES THE 32 EXTENDED (TWO-BYTE) LINE 21 CHARACTERS + // THAT COME FROM HI BYTE=0x12 AND LOW BETWEEN 0x20 AND 0x3F + 0x90: 0xc1, + // capital letter A with acute + 0x91: 0xc9, + // capital letter E with acute + 0x92: 0xd3, + // capital letter O with acute + 0x93: 0xda, + // capital letter U with acute + 0x94: 0xdc, + // capital letter U with diaresis + 0x95: 0xfc, + // lowercase letter U with diaeresis + 0x96: 0x2018, + // opening single quote + 0x97: 0xa1, + // inverted exclamation mark + 0x98: 0x2a, + // asterisk + 0x99: 0x2019, + // closing single quote + 0x9a: 0x2501, + // box drawings heavy horizontal + 0x9b: 0xa9, + // copyright sign + 0x9c: 0x2120, + // Service mark + 0x9d: 0x2022, + // (round) bullet + 0x9e: 0x201c, + // Left double quotation mark + 0x9f: 0x201d, + // Right double quotation mark + 0xa0: 0xc0, + // uppercase A, grave accent + 0xa1: 0xc2, + // uppercase A, circumflex + 0xa2: 0xc7, + // uppercase C with cedilla + 0xa3: 0xc8, + // uppercase E, grave accent + 0xa4: 0xca, + // uppercase E, circumflex + 0xa5: 0xcb, + // capital letter E with diaresis + 0xa6: 0xeb, + // lowercase letter e with diaresis + 0xa7: 0xce, + // uppercase I, circumflex + 0xa8: 0xcf, + // uppercase I, with diaresis + 0xa9: 0xef, + // lowercase i, with diaresis + 0xaa: 0xd4, + // uppercase O, circumflex + 0xab: 0xd9, + // uppercase U, grave accent + 0xac: 0xf9, + // lowercase u, grave accent + 0xad: 0xdb, + // uppercase U, circumflex + 0xae: 0xab, + // left-pointing double angle quotation mark + 0xaf: 0xbb, + // right-pointing double angle quotation mark + // THIS BLOCK INCLUDES THE 32 EXTENDED (TWO-BYTE) LINE 21 CHARACTERS + // THAT COME FROM HI BYTE=0x13 AND LOW BETWEEN 0x20 AND 0x3F + 0xb0: 0xc3, + // Uppercase A, tilde + 0xb1: 0xe3, + // Lowercase a, tilde + 0xb2: 0xcd, + // Uppercase I, acute accent + 0xb3: 0xcc, + // Uppercase I, grave accent + 0xb4: 0xec, + // Lowercase i, grave accent + 0xb5: 0xd2, + // Uppercase O, grave accent + 0xb6: 0xf2, + // Lowercase o, grave accent + 0xb7: 0xd5, + // Uppercase O, tilde + 0xb8: 0xf5, + // Lowercase o, tilde + 0xb9: 0x7b, + // Open curly brace + 0xba: 0x7d, + // Closing curly brace + 0xbb: 0x5c, + // Backslash + 0xbc: 0x5e, + // Caret + 0xbd: 0x5f, + // Underscore + 0xbe: 0x7c, + // Pipe (vertical line) + 0xbf: 0x223c, + // Tilde operator + 0xc0: 0xc4, + // Uppercase A, umlaut + 0xc1: 0xe4, + // Lowercase A, umlaut + 0xc2: 0xd6, + // Uppercase O, umlaut + 0xc3: 0xf6, + // Lowercase o, umlaut + 0xc4: 0xdf, + // Esszett (sharp S) + 0xc5: 0xa5, + // Yen symbol + 0xc6: 0xa4, + // Generic currency sign + 0xc7: 0x2503, + // Box drawings heavy vertical + 0xc8: 0xc5, + // Uppercase A, ring + 0xc9: 0xe5, + // Lowercase A, ring + 0xca: 0xd8, + // Uppercase O, stroke + 0xcb: 0xf8, + // Lowercase o, strok + 0xcc: 0x250f, + // Box drawings heavy down and right + 0xcd: 0x2513, + // Box drawings heavy down and left + 0xce: 0x2517, + // Box drawings heavy up and right + 0xcf: 0x251b // Box drawings heavy up and left -// see https://stackoverflow.com/a/11237259/589493 - var global = Object(get_self_scope["a" /* getSelfScope */])(); // safeguard for code that might run both on worker and main thread - var performance = global.performance; + }; + /** + * Utils + */ - var demuxer_inline_DemuxerInline = function () { - function DemuxerInline(observer, typeSupported, config, vendor) { - demuxer_inline__classCallCheck(this, DemuxerInline); + var getCharForByte = function getCharForByte(byte) { + var charCode = byte; - this.observer = observer; - this.typeSupported = typeSupported; - this.config = config; - this.vendor = vendor; - } + if (specialCea608CharsCodes.hasOwnProperty(byte)) { + charCode = specialCea608CharsCodes[byte]; + } - DemuxerInline.prototype.destroy = function destroy() { - var demuxer = this.demuxer; - if (demuxer) { - demuxer.destroy(); - } - }; + return String.fromCharCode(charCode); + }; - DemuxerInline.prototype.push = function push(data, decryptdata, initSegment, audioCodec, videoCodec, timeOffset, discontinuity, trackSwitch, contiguous, duration, accurateTimeOffset, defaultInitPTS) { - if (data.byteLength > 0 && decryptdata != null && decryptdata.key != null && decryptdata.method === 'AES-128') { - var decrypter = this.decrypter; - if (decrypter == null) { - decrypter = this.decrypter = new crypt_decrypter["a" /* default */](this.observer, this.config); - } + var NR_ROWS = 15, + NR_COLS = 100; // Tables to look up row from PAC data + + var rowsLowCh1 = { + 0x11: 1, + 0x12: 3, + 0x15: 5, + 0x16: 7, + 0x17: 9, + 0x10: 11, + 0x13: 12, + 0x14: 14 + }; + var rowsHighCh1 = { + 0x11: 2, + 0x12: 4, + 0x15: 6, + 0x16: 8, + 0x17: 10, + 0x13: 13, + 0x14: 15 + }; + var rowsLowCh2 = { + 0x19: 1, + 0x1A: 3, + 0x1D: 5, + 0x1E: 7, + 0x1F: 9, + 0x18: 11, + 0x1B: 12, + 0x1C: 14 + }; + var rowsHighCh2 = { + 0x19: 2, + 0x1A: 4, + 0x1D: 6, + 0x1E: 8, + 0x1F: 10, + 0x1B: 13, + 0x1C: 15 + }; + var backgroundColors = ['white', 'green', 'blue', 'cyan', 'red', 'yellow', 'magenta', 'black', 'transparent']; + var VerboseFilter; + /** + * Simple logger class to be able to write with time-stamps and filter on level. + */ - var localthis = this; - // performance.now() not available on WebWorker, at least on Safari Desktop - var startTime = void 0; - try { - startTime = performance.now(); - } catch (error) { - startTime = Date.now(); - } - decrypter.decrypt(data, decryptdata.key.buffer, decryptdata.iv.buffer, function (decryptedData) { - var endTime = void 0; - try { - endTime = performance.now(); - } catch (error) { - endTime = Date.now(); - } - localthis.observer.trigger(events["a" /* default */].FRAG_DECRYPTED, { stats: { tstart: startTime, tdecrypt: endTime } }); - localthis.pushDecrypted(new Uint8Array(decryptedData), decryptdata, new Uint8Array(initSegment), audioCodec, videoCodec, timeOffset, discontinuity, trackSwitch, contiguous, duration, accurateTimeOffset, defaultInitPTS); - }); - } else { - this.pushDecrypted(new Uint8Array(data), decryptdata, new Uint8Array(initSegment), audioCodec, videoCodec, timeOffset, discontinuity, trackSwitch, contiguous, duration, accurateTimeOffset, defaultInitPTS); - } - }; + (function (VerboseFilter) { + VerboseFilter[VerboseFilter["ERROR"] = 0] = "ERROR"; + VerboseFilter[VerboseFilter["TEXT"] = 1] = "TEXT"; + VerboseFilter[VerboseFilter["WARNING"] = 2] = "WARNING"; + VerboseFilter[VerboseFilter["INFO"] = 2] = "INFO"; + VerboseFilter[VerboseFilter["DEBUG"] = 3] = "DEBUG"; + VerboseFilter[VerboseFilter["DATA"] = 3] = "DATA"; + })(VerboseFilter || (VerboseFilter = {})); + + var cea_608_parser_logger = { + verboseFilter: { + 'DATA': 3, + 'DEBUG': 3, + 'INFO': 2, + 'WARNING': 2, + 'TEXT': 1, + 'ERROR': 0 + }, + time: null, + verboseLevel: 0, + // Only write errors + setTime: function setTime(newTime) { + this.time = newTime; + }, + log: function log(severity, msg) { + var minLevel = this.verboseFilter[severity]; - DemuxerInline.prototype.pushDecrypted = function pushDecrypted(data, decryptdata, initSegment, audioCodec, videoCodec, timeOffset, discontinuity, trackSwitch, contiguous, duration, accurateTimeOffset, defaultInitPTS) { - var demuxer = this.demuxer; - if (!demuxer || - // 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) - // so let's check that current demuxer is still valid - (discontinuity || trackSwitch) && !this.probe(data)) { - var observer = this.observer; - var typeSupported = this.typeSupported; - var config = this.config; - // probing order is TS/AAC/MP3/MP4 - var muxConfig = [{ demux: tsdemuxer, remux: mp4_remuxer }, { demux: mp4demuxer["a" /* default */], remux: passthrough_remuxer }, { demux: aacdemuxer, remux: mp4_remuxer }, { demux: mp3demuxer, remux: mp4_remuxer }]; - - // probe for content type - for (var i = 0, len = muxConfig.length; i < len; i++) { - var mux = muxConfig[i]; - var probe = mux.demux.probe; - if (probe(data)) { - var _remuxer = this.remuxer = new mux.remux(observer, config, typeSupported, this.vendor); - demuxer = new mux.demux(observer, _remuxer, config, typeSupported); - this.probe = probe; - break; + if (this.verboseLevel >= minLevel) {// console.log(this.time + ' [' + severity + '] ' + msg); } } - if (!demuxer) { - observer.trigger(events["a" /* default */].ERROR, { type: errors["b" /* ErrorTypes */].MEDIA_ERROR, details: errors["a" /* ErrorDetails */].FRAG_PARSING_ERROR, fatal: true, reason: 'no demux matching with content found' }); - return; - } - this.demuxer = demuxer; - } - var remuxer = this.remuxer; + }; - if (discontinuity || trackSwitch) { - demuxer.resetInitSegment(initSegment, audioCodec, videoCodec, duration); - remuxer.resetInitSegment(); - } - if (discontinuity) { - demuxer.resetTimeStamp(defaultInitPTS); - remuxer.resetTimeStamp(defaultInitPTS); - } - if (typeof demuxer.setDecryptData === 'function') { - demuxer.setDecryptData(decryptdata); - } + var numArrayToHexArray = function numArrayToHexArray(numArray) { + var hexArray = []; - demuxer.append(data, timeOffset, contiguous, accurateTimeOffset); - }; + for (var j = 0; j < numArray.length; j++) { + hexArray.push(numArray[j].toString(16)); + } - return DemuxerInline; - }(); + return hexArray; + }; - /* harmony default export */ var demuxer_inline = __webpack_exports__["a"] = (demuxer_inline_DemuxerInline); + var PenState = + /*#__PURE__*/ + function () { + function PenState(foreground, underline, italics, background, flash) { + this.foreground = void 0; + this.underline = void 0; + this.italics = void 0; + this.background = void 0; + this.flash = void 0; + this.foreground = foreground || 'white'; + this.underline = underline || false; + this.italics = italics || false; + this.background = background || 'black'; + this.flash = flash || false; + } - /***/ }), - /* 11 */ - /***/ (function(module, __webpack_exports__, __webpack_require__) { + var _proto = PenState.prototype; - "use strict"; - Object.defineProperty(__webpack_exports__, "__esModule", { value: true }); - var cues_namespaceObject = {}; - __webpack_require__.d(cues_namespaceObject, "newCue", function() { return newCue; }); + _proto.reset = function reset() { + this.foreground = 'white'; + this.underline = false; + this.italics = false; + this.background = 'black'; + this.flash = false; + }; -// EXTERNAL MODULE: ./node_modules/url-toolkit/src/url-toolkit.js - var url_toolkit = __webpack_require__(5); - var url_toolkit_default = /*#__PURE__*/__webpack_require__.n(url_toolkit); + _proto.setStyles = function setStyles(styles) { + var attribs = ['foreground', 'underline', 'italics', 'background', 'flash']; -// EXTERNAL MODULE: ./src/errors.js - var errors = __webpack_require__(2); + for (var i = 0; i < attribs.length; i++) { + var style = attribs[i]; -// EXTERNAL MODULE: ./src/polyfills/number-isFinite.js - var number_isFinite = __webpack_require__(3); + if (styles.hasOwnProperty(style)) { + this[style] = styles[style]; + } + } + }; -// EXTERNAL MODULE: ./src/events.js - var events = __webpack_require__(1); + _proto.isDefault = function isDefault() { + return this.foreground === 'white' && !this.underline && !this.italics && this.background === 'black' && !this.flash; + }; -// EXTERNAL MODULE: ./src/utils/logger.js - var logger = __webpack_require__(0); + _proto.equals = function equals(other) { + return this.foreground === other.foreground && this.underline === other.underline && this.italics === other.italics && this.background === other.background && this.flash === other.flash; + }; -// CONCATENATED MODULE: ./src/event-handler.js - var _typeof = typeof Symbol === "function" && typeof Symbol.iterator === "symbol" ? function (obj) { return typeof obj; } : function (obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; + _proto.copy = function copy(newPenState) { + this.foreground = newPenState.foreground; + this.underline = newPenState.underline; + this.italics = newPenState.italics; + this.background = newPenState.background; + this.flash = newPenState.flash; + }; - function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + _proto.toString = function toString() { + return 'color=' + this.foreground + ', underline=' + this.underline + ', italics=' + this.italics + ', background=' + this.background + ', flash=' + this.flash; + }; - /* -* -* All objects in the event handling chain should inherit from this class -* -*/ + return PenState; + }(); + /** + * Unicode character with styling and background. + * @constructor + */ + var StyledUnicodeChar = + /*#__PURE__*/ + function () { + function StyledUnicodeChar(uchar, foreground, underline, italics, background, flash) { + this.uchar = void 0; + this.penState = void 0; + this.uchar = uchar || ' '; // unicode character + this.penState = new PenState(foreground, underline, italics, background, flash); + } + var _proto2 = StyledUnicodeChar.prototype; - var FORBIDDEN_EVENT_NAMES = new Set(['hlsEventGeneric', 'hlsHandlerDestroying', 'hlsHandlerDestroyed']); + _proto2.reset = function reset() { + this.uchar = ' '; + this.penState.reset(); + }; - var event_handler_EventHandler = function () { - function EventHandler(hls) { - _classCallCheck(this, EventHandler); + _proto2.setChar = function setChar(uchar, newPenState) { + this.uchar = uchar; + this.penState.copy(newPenState); + }; - this.hls = hls; - this.onEvent = this.onEvent.bind(this); + _proto2.setPenState = function setPenState(newPenState) { + this.penState.copy(newPenState); + }; - for (var _len = arguments.length, events = Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) { - events[_key - 1] = arguments[_key]; - } + _proto2.equals = function equals(other) { + return this.uchar === other.uchar && this.penState.equals(other.penState); + }; - this.handledEvents = events; - this.useGenericHandler = true; + _proto2.copy = function copy(newChar) { + this.uchar = newChar.uchar; + this.penState.copy(newChar.penState); + }; - this.registerListeners(); - } + _proto2.isEmpty = function isEmpty() { + return this.uchar === ' ' && this.penState.isDefault(); + }; - EventHandler.prototype.destroy = function destroy() { - this.onHandlerDestroying(); - this.unregisterListeners(); - this.onHandlerDestroyed(); - }; + return StyledUnicodeChar; + }(); + /** + * CEA-608 row consisting of NR_COLS instances of StyledUnicodeChar. + * @constructor + */ - EventHandler.prototype.onHandlerDestroying = function onHandlerDestroying() {}; - EventHandler.prototype.onHandlerDestroyed = function onHandlerDestroyed() {}; + var Row = + /*#__PURE__*/ + function () { + function Row() { + this.chars = void 0; + this.pos = void 0; + this.currPenState = void 0; + this.cueStartTime = void 0; + this.chars = []; - EventHandler.prototype.isEventHandler = function isEventHandler() { - return _typeof(this.handledEvents) === 'object' && this.handledEvents.length && typeof this.onEvent === 'function'; - }; + for (var i = 0; i < NR_COLS; i++) { + this.chars.push(new StyledUnicodeChar()); + } - EventHandler.prototype.registerListeners = function registerListeners() { - if (this.isEventHandler()) { - this.handledEvents.forEach(function (event) { - if (FORBIDDEN_EVENT_NAMES.has(event)) { - throw new Error('Forbidden event-name: ' + event); + this.pos = 0; + this.currPenState = new PenState(); } - this.hls.on(event, this.onEvent); - }, this); - } - }; + var _proto3 = Row.prototype; - EventHandler.prototype.unregisterListeners = function unregisterListeners() { - if (this.isEventHandler()) { - this.handledEvents.forEach(function (event) { - this.hls.off(event, this.onEvent); - }, this); - } - }; + _proto3.equals = function equals(other) { + var equal = true; - /** - * arguments: event (string), data (any) - */ + for (var i = 0; i < NR_COLS; i++) { + if (!this.chars[i].equals(other.chars[i])) { + equal = false; + break; + } + } + return equal; + }; - EventHandler.prototype.onEvent = function onEvent(event, data) { - this.onEventGeneric(event, data); - }; + _proto3.copy = function copy(other) { + for (var i = 0; i < NR_COLS; i++) { + this.chars[i].copy(other.chars[i]); + } + }; - EventHandler.prototype.onEventGeneric = function onEventGeneric(event, data) { - var eventToFunction = function eventToFunction(event, data) { - var funcName = 'on' + event.replace('hls', ''); - if (typeof this[funcName] !== 'function') { - throw new Error('Event ' + event + ' has no generic handler in this ' + this.constructor.name + ' class (tried ' + funcName + ')'); - } + _proto3.isEmpty = function isEmpty() { + var empty = true; - return this[funcName].bind(this, data); - }; - try { - eventToFunction.call(this, event, data).call(); - } catch (err) { - logger["b" /* logger */].error('An internal error happened while handling event ' + event + '. Error message: "' + err.message + '". Here is a stacktrace:', err); - this.hls.trigger(events["a" /* default */].ERROR, { type: errors["b" /* ErrorTypes */].OTHER_ERROR, details: errors["a" /* ErrorDetails */].INTERNAL_EXCEPTION, fatal: false, event: event, err: err }); - } - }; + for (var i = 0; i < NR_COLS; i++) { + if (!this.chars[i].isEmpty()) { + empty = false; + break; + } + } - return EventHandler; - }(); + return empty; + } + /** + * Set the cursor to a valid column. + */ + ; + + _proto3.setCursor = function setCursor(absPos) { + if (this.pos !== absPos) { + this.pos = absPos; + } - /* harmony default export */ var event_handler = (event_handler_EventHandler); -// EXTERNAL MODULE: ./src/demux/mp4demuxer.js - var mp4demuxer = __webpack_require__(9); + if (this.pos < 0) { + cea_608_parser_logger.log('ERROR', 'Negative cursor position ' + this.pos); + this.pos = 0; + } else if (this.pos > NR_COLS) { + cea_608_parser_logger.log('ERROR', 'Too large cursor position ' + this.pos); + this.pos = NR_COLS; + } + } + /** + * Move the cursor relative to current position. + */ + ; -// CONCATENATED MODULE: ./src/loader/level-key.js - var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); + _proto3.moveCursor = function moveCursor(relPos) { + var newPos = this.pos + relPos; - function level_key__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + if (relPos > 1) { + for (var i = this.pos + 1; i < newPos + 1; i++) { + this.chars[i].setPenState(this.currPenState); + } + } + this.setCursor(newPos); + } + /** + * Backspace, move one step back and clear character. + */ + ; + + _proto3.backSpace = function backSpace() { + this.moveCursor(-1); + this.chars[this.pos].setChar(' ', this.currPenState); + }; + _proto3.insertChar = function insertChar(byte) { + if (byte >= 0x90) { + // Extended char + this.backSpace(); + } - var level_key_LevelKey = function () { - function LevelKey() { - level_key__classCallCheck(this, LevelKey); + var char = getCharForByte(byte); - this.method = null; - this.key = null; - this.iv = null; - this._uri = null; - } + if (this.pos >= NR_COLS) { + cea_608_parser_logger.log('ERROR', 'Cannot insert ' + byte.toString(16) + ' (' + char + ') at position ' + this.pos + '. Skipping it!'); + return; + } - _createClass(LevelKey, [{ - key: 'uri', - get: function get() { - if (!this._uri && this.reluri) { - this._uri = url_toolkit_default.a.buildAbsoluteURL(this.baseuri, this.reluri, { alwaysNormalize: true }); - } + this.chars[this.pos].setChar(char, this.currPenState); + this.moveCursor(1); + }; - return this._uri; - } - }]); + _proto3.clearFromPos = function clearFromPos(startPos) { + var i; - return LevelKey; - }(); + for (i = startPos; i < NR_COLS; i++) { + this.chars[i].reset(); + } + }; - /* harmony default export */ var level_key = (level_key_LevelKey); -// CONCATENATED MODULE: ./src/loader/fragment.js + _proto3.clear = function clear() { + this.clearFromPos(0); + this.pos = 0; + this.currPenState.reset(); + }; + _proto3.clearToEndOfRow = function clearToEndOfRow() { + this.clearFromPos(this.pos); + }; - var fragment__createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); + _proto3.getTextString = function getTextString() { + var chars = []; + var empty = true; - function fragment__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + for (var i = 0; i < NR_COLS; i++) { + var char = this.chars[i].uchar; + if (char !== ' ') { + empty = false; + } + chars.push(char); + } + if (empty) { + return ''; + } else { + return chars.join(''); + } + }; + _proto3.setPenStyles = function setPenStyles(styles) { + this.currPenState.setStyles(styles); + var currChar = this.chars[this.pos]; + currChar.setPenState(this.currPenState); + }; - var fragment_Fragment = function () { - function Fragment() { - var _elementaryStreams; + return Row; + }(); + /** + * Keep a CEA-608 screen of 32x15 styled characters + * @constructor + */ - fragment__classCallCheck(this, Fragment); + var CaptionScreen = + /*#__PURE__*/ + function () { + function CaptionScreen() { + this.rows = void 0; + this.currRow = void 0; + this.nrRollUpRows = void 0; + this.lastOutputScreen = void 0; + this.rows = []; - this._url = null; - this._byteRange = null; - this._decryptdata = null; - this.tagList = []; - this.programDateTime = null; - this.rawProgramDateTime = null; + for (var i = 0; i < NR_ROWS; i++) { + this.rows.push(new Row()); + } // Note that we use zero-based numbering (0-14) - // Holds the types of data this fragment supports - this._elementaryStreams = (_elementaryStreams = {}, _elementaryStreams[Fragment.ElementaryStreamTypes.AUDIO] = false, _elementaryStreams[Fragment.ElementaryStreamTypes.VIDEO] = false, _elementaryStreams); - } - /** - * `type` property for this._elementaryStreams - * - * @enum - */ + this.currRow = NR_ROWS - 1; + this.nrRollUpRows = null; + this.reset(); + } + var _proto4 = CaptionScreen.prototype; - /** - * @param {ElementaryStreamType} type - */ - Fragment.prototype.addElementaryStream = function addElementaryStream(type) { - this._elementaryStreams[type] = true; - }; + _proto4.reset = function reset() { + for (var i = 0; i < NR_ROWS; i++) { + this.rows[i].clear(); + } - /** - * @param {ElementaryStreamType} type - */ + this.currRow = NR_ROWS - 1; + }; + _proto4.equals = function equals(other) { + var equal = true; - Fragment.prototype.hasElementaryStream = function hasElementaryStream(type) { - return this._elementaryStreams[type] === true; - }; + for (var i = 0; i < NR_ROWS; i++) { + if (!this.rows[i].equals(other.rows[i])) { + equal = false; + break; + } + } - /** - * Utility method for parseLevelPlaylist to create an initialization vector for a given segment - * @returns {Uint8Array} - */ + return equal; + }; + _proto4.copy = function copy(other) { + for (var i = 0; i < NR_ROWS; i++) { + this.rows[i].copy(other.rows[i]); + } + }; - Fragment.prototype.createInitializationVector = function createInitializationVector(segmentNumber) { - var uint8View = new Uint8Array(16); + _proto4.isEmpty = function isEmpty() { + var empty = true; - for (var i = 12; i < 16; i++) { - uint8View[i] = segmentNumber >> 8 * (15 - i) & 0xff; - } + for (var i = 0; i < NR_ROWS; i++) { + if (!this.rows[i].isEmpty()) { + empty = false; + break; + } + } - return uint8View; - }; + return empty; + }; - /** - * 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 {*} - an object to be applied as a fragment's decryptdata - */ + _proto4.backSpace = function backSpace() { + var row = this.rows[this.currRow]; + row.backSpace(); + }; + _proto4.clearToEndOfRow = function clearToEndOfRow() { + var row = this.rows[this.currRow]; + row.clearToEndOfRow(); + } + /** + * Insert a character (without styling) in the current row. + */ + ; + + _proto4.insertChar = function insertChar(char) { + var row = this.rows[this.currRow]; + row.insertChar(char); + }; - Fragment.prototype.fragmentDecryptdataFromLevelkey = function fragmentDecryptdataFromLevelkey(levelkey, segmentNumber) { - var decryptdata = levelkey; + _proto4.setPen = function setPen(styles) { + var row = this.rows[this.currRow]; + row.setPenStyles(styles); + }; - if (levelkey && levelkey.method && levelkey.uri && !levelkey.iv) { - decryptdata = new level_key(); - decryptdata.method = levelkey.method; - decryptdata.baseuri = levelkey.baseuri; - decryptdata.reluri = levelkey.reluri; - decryptdata.iv = this.createInitializationVector(segmentNumber); - } + _proto4.moveCursor = function moveCursor(relPos) { + var row = this.rows[this.currRow]; + row.moveCursor(relPos); + }; - return decryptdata; - }; + _proto4.setCursor = function setCursor(absPos) { + cea_608_parser_logger.log('INFO', 'setCursor: ' + absPos); + var row = this.rows[this.currRow]; + row.setCursor(absPos); + }; - fragment__createClass(Fragment, [{ - key: 'url', - get: function get() { - if (!this._url && this.relurl) { - this._url = url_toolkit_default.a.buildAbsoluteURL(this.baseurl, this.relurl, { alwaysNormalize: true }); - } + _proto4.setPAC = function setPAC(pacData) { + cea_608_parser_logger.log('INFO', 'pacData = ' + JSON.stringify(pacData)); + var newRow = pacData.row - 1; - return this._url; - }, - set: function set(value) { - this._url = value; - } - }, { - key: 'byteRange', - get: function get() { - if (!this._byteRange && !this.rawByteRange) { - return []; - } + if (this.nrRollUpRows && newRow < this.nrRollUpRows - 1) { + newRow = this.nrRollUpRows - 1; + } // Make sure this only affects Roll-up Captions by checking this.nrRollUpRows - if (this._byteRange) { - return this._byteRange; - } - var byteRange = []; - if (this.rawByteRange) { - var params = this.rawByteRange.split('@', 2); - if (params.length === 1) { - var lastByteRangeEndOffset = this.lastByteRangeEndOffset; - byteRange[0] = lastByteRangeEndOffset || 0; - } else { - byteRange[0] = parseInt(params[1]); - } - byteRange[1] = parseInt(params[0]) + byteRange[0]; - this._byteRange = byteRange; - } - return byteRange; - } + if (this.nrRollUpRows && this.currRow !== newRow) { + // clear all rows first + for (var i = 0; i < NR_ROWS; i++) { + this.rows[i].clear(); + } // Copy this.nrRollUpRows rows from lastOutputScreen and place it in the newRow location + // topRowIndex - the start of rows to copy (inclusive index) - /** - * @type {number} - */ - }, { - key: 'byteRangeStartOffset', - get: function get() { - return this.byteRange[0]; - } - }, { - key: 'byteRangeEndOffset', - get: function get() { - return this.byteRange[1]; - } - }, { - key: 'decryptdata', - get: function get() { - if (!this._decryptdata) { - this._decryptdata = this.fragmentDecryptdataFromLevelkey(this.levelkey, this.sn); - } + var topRowIndex = this.currRow + 1 - this.nrRollUpRows; // We only copy if the last position was already shown. + // We use the cueStartTime value to check this. - return this._decryptdata; - } - }, { - key: 'endProgramDateTime', - get: function get() { - if (!Object(number_isFinite["a" /* isFiniteNumber */])(this.programDateTime)) { - return null; - } + var lastOutputScreen = this.lastOutputScreen; - var duration = !Object(number_isFinite["a" /* isFiniteNumber */])(this.duration) ? 0 : this.duration; + if (lastOutputScreen) { + var prevLineTime = lastOutputScreen.rows[topRowIndex].cueStartTime; - return this.programDateTime + duration * 1000; - } - }, { - key: 'encrypted', - get: function get() { - return !!(this.decryptdata && this.decryptdata.uri !== null && this.decryptdata.key === null); - } - }], [{ - key: 'ElementaryStreamTypes', - get: function get() { - return { - AUDIO: 'audio', - VIDEO: 'video' - }; - } - }]); + if (prevLineTime && cea_608_parser_logger.time && prevLineTime < cea_608_parser_logger.time) { + for (var _i = 0; _i < this.nrRollUpRows; _i++) { + this.rows[newRow - this.nrRollUpRows + _i + 1].copy(lastOutputScreen.rows[topRowIndex + _i]); + } + } + } + } - return Fragment; - }(); + this.currRow = newRow; + var row = this.rows[this.currRow]; - /* harmony default export */ var loader_fragment = (fragment_Fragment); -// CONCATENATED MODULE: ./src/loader/level.js + if (pacData.indent !== null) { + var indent = pacData.indent; + var prevPos = Math.max(indent - 1, 0); + row.setCursor(pacData.indent); + pacData.color = row.chars[prevPos].penState.foreground; + } + var styles = { + foreground: pacData.color, + underline: pacData.underline, + italics: pacData.italics, + background: 'black', + flash: false + }; + this.setPen(styles); + } + /** + * Set background/extra foreground, but first do back_space, and then insert space (backwards compatibility). + */ + ; + + _proto4.setBkgData = function setBkgData(bkgData) { + cea_608_parser_logger.log('INFO', 'bkgData = ' + JSON.stringify(bkgData)); + this.backSpace(); + this.setPen(bkgData); + this.insertChar(0x20); // Space + }; - var level__createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); - - function level__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } - - var level_Level = function () { - function Level(baseUrl) { - level__classCallCheck(this, Level); - - // Please keep properties in alphabetical order - this.endCC = 0; - this.endSN = 0; - this.fragments = []; - this.initSegment = null; - this.live = true; - this.needSidxRanges = false; - this.startCC = 0; - this.startSN = 0; - this.startTimeOffset = null; - this.targetduration = 0; - this.totalduration = 0; - this.type = null; - this.url = baseUrl; - this.version = null; - } + _proto4.setRollUpRows = function setRollUpRows(nrRows) { + this.nrRollUpRows = nrRows; + }; - level__createClass(Level, [{ - key: "hasProgramDateTime", - get: function get() { - return !!(this.fragments[0] && Object(number_isFinite["a" /* isFiniteNumber */])(this.fragments[0].programDateTime)); - } - }]); + _proto4.rollUp = function rollUp() { + if (this.nrRollUpRows === null) { + cea_608_parser_logger.log('DEBUG', 'roll_up but nrRollUpRows not set yet'); + return; // Not properly setup + } - return Level; - }(); + cea_608_parser_logger.log('TEXT', this.getDisplayText()); + var topRowIndex = this.currRow + 1 - this.nrRollUpRows; + var topRow = this.rows.splice(topRowIndex, 1)[0]; + topRow.clear(); + this.rows.splice(this.currRow, 0, topRow); + cea_608_parser_logger.log('INFO', 'Rolling up'); // logger.log('TEXT', this.get_display_text()) + } + /** + * Get all non-empty rows with as unicode text. + */ + ; - /* harmony default export */ var loader_level = (level_Level); -// CONCATENATED MODULE: ./src/utils/attr-list.js - function attr_list__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + _proto4.getDisplayText = function getDisplayText(asOneRow) { + asOneRow = asOneRow || false; + var displayText = []; + var text = ''; + var rowNr = -1; - 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 + for (var i = 0; i < NR_ROWS; i++) { + var rowText = this.rows[i].getTextString(); -// adapted from https://github.com/kanongil/node-m3u8parse/blob/master/attrlist.js + if (rowText) { + rowNr = i + 1; - var AttrList = function () { - function AttrList(attrs) { - attr_list__classCallCheck(this, AttrList); + if (asOneRow) { + displayText.push('Row ' + rowNr + ': \'' + rowText + '\''); + } else { + displayText.push(rowText.trim()); + } + } + } - if (typeof attrs === 'string') { - attrs = AttrList.parseAttrList(attrs); - } + if (displayText.length > 0) { + if (asOneRow) { + text = '[' + displayText.join(' | ') + ']'; + } else { + text = displayText.join('\n'); + } + } - for (var attr in attrs) { - if (attrs.hasOwnProperty(attr)) { - this[attr] = attrs[attr]; - } - } - } + return text; + }; - AttrList.prototype.decimalInteger = function decimalInteger(attrName) { - var intValue = parseInt(this[attrName], 10); - if (intValue > Number.MAX_SAFE_INTEGER) { - return Infinity; - } + _proto4.getTextAndFormat = function getTextAndFormat() { + return this.rows; + }; - return intValue; - }; + return CaptionScreen; + }(); // var modes = ['MODE_ROLL-UP', 'MODE_POP-ON', 'MODE_PAINT-ON', 'MODE_TEXT']; + + var Cea608Channel = + /*#__PURE__*/ + function () { + function Cea608Channel(channelNumber, outputFilter) { + this.chNr = void 0; + this.outputFilter = void 0; + this.mode = void 0; + this.verbose = void 0; + this.displayedMemory = void 0; + this.nonDisplayedMemory = void 0; + this.lastOutputScreen = void 0; + this.currRollUpRow = void 0; + this.writeScreen = void 0; + this.cueStartTime = void 0; + this.lastCueEndTime = void 0; + this.chNr = channelNumber; + this.outputFilter = outputFilter; + this.mode = null; + this.verbose = 0; + this.displayedMemory = new CaptionScreen(); + this.nonDisplayedMemory = new CaptionScreen(); + this.lastOutputScreen = new CaptionScreen(); + this.currRollUpRow = this.displayedMemory.rows[NR_ROWS - 1]; + this.writeScreen = this.displayedMemory; + this.mode = null; + this.cueStartTime = null; // Keeps track of where a cue started. + } - AttrList.prototype.hexadecimalInteger = function hexadecimalInteger(attrName) { - if (this[attrName]) { - var stringValue = (this[attrName] || '0x').slice(2); - stringValue = (stringValue.length & 1 ? '0' : '') + stringValue; + var _proto5 = Cea608Channel.prototype; + + _proto5.reset = function reset() { + this.mode = null; + this.displayedMemory.reset(); + this.nonDisplayedMemory.reset(); + this.lastOutputScreen.reset(); + this.currRollUpRow = this.displayedMemory.rows[NR_ROWS - 1]; + this.writeScreen = this.displayedMemory; + this.mode = null; + this.cueStartTime = null; + }; - 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; - } - }; + _proto5.getHandler = function getHandler() { + return this.outputFilter; + }; - AttrList.prototype.hexadecimalIntegerAsNumber = function hexadecimalIntegerAsNumber(attrName) { - var intValue = parseInt(this[attrName], 16); - if (intValue > Number.MAX_SAFE_INTEGER) { - return Infinity; - } + _proto5.setHandler = function setHandler(newHandler) { + this.outputFilter = newHandler; + }; - return intValue; - }; + _proto5.setPAC = function setPAC(pacData) { + this.writeScreen.setPAC(pacData); + }; - AttrList.prototype.decimalFloatingPoint = function decimalFloatingPoint(attrName) { - return parseFloat(this[attrName]); - }; + _proto5.setBkgData = function setBkgData(bkgData) { + this.writeScreen.setBkgData(bkgData); + }; - AttrList.prototype.enumeratedString = function enumeratedString(attrName) { - return this[attrName]; - }; + _proto5.setMode = function setMode(newMode) { + if (newMode === this.mode) { + return; + } - AttrList.prototype.decimalResolution = function decimalResolution(attrName) { - var res = DECIMAL_RESOLUTION_REGEX.exec(this[attrName]); - if (res === null) { - return undefined; - } + this.mode = newMode; + cea_608_parser_logger.log('INFO', 'MODE=' + newMode); - return { - width: parseInt(res[1], 10), - height: parseInt(res[2], 10) - }; - }; + if (this.mode === 'MODE_POP-ON') { + this.writeScreen = this.nonDisplayedMemory; + } else { + this.writeScreen = this.displayedMemory; + this.writeScreen.reset(); + } - AttrList.parseAttrList = function parseAttrList(input) { - var match = void 0, - attrs = {}; - ATTR_LIST_REGEX.lastIndex = 0; - while ((match = ATTR_LIST_REGEX.exec(input)) !== null) { - var value = match[2], - quote = '"'; + if (this.mode !== 'MODE_ROLL-UP') { + this.displayedMemory.nrRollUpRows = null; + this.nonDisplayedMemory.nrRollUpRows = null; + } - if (value.indexOf(quote) === 0 && value.lastIndexOf(quote) === value.length - 1) { - value = value.slice(1, -1); - } + this.mode = newMode; + }; - attrs[match[1]] = value; - } - return attrs; - }; + _proto5.insertChars = function insertChars(chars) { + for (var i = 0; i < chars.length; i++) { + this.writeScreen.insertChar(chars[i]); + } - return AttrList; - }(); + var screen = this.writeScreen === this.displayedMemory ? 'DISP' : 'NON_DISP'; + cea_608_parser_logger.log('INFO', screen + ': ' + this.writeScreen.getDisplayText(true)); - /* harmony default export */ var attr_list = (AttrList); -// CONCATENATED MODULE: ./src/utils/codecs.js -// 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, - '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 - } - }; + if (this.mode === 'MODE_PAINT-ON' || this.mode === 'MODE_ROLL-UP') { + cea_608_parser_logger.log('TEXT', 'DISPLAYED: ' + this.displayedMemory.getDisplayText(true)); + this.outputDataUpdate(); + } + }; - function isCodecType(codec, type) { - var typeCodes = sampleEntryCodesISO[type]; - return !!typeCodes && typeCodes[codec.slice(0, 4)] === true; - } + _proto5.ccRCL = function ccRCL() { + // Resume Caption Loading (switch mode to Pop On) + cea_608_parser_logger.log('INFO', 'RCL - Resume Caption Loading'); + this.setMode('MODE_POP-ON'); + }; - function isCodecSupportedInMp4(codec, type) { - return window.MediaSource.isTypeSupported((type || 'video') + '/mp4;codecs="' + codec + '"'); - } + _proto5.ccBS = function ccBS() { + // BackSpace + cea_608_parser_logger.log('INFO', 'BS - BackSpace'); + if (this.mode === 'MODE_TEXT') { + return; + } -// CONCATENATED MODULE: ./src/loader/m3u8-parser.js + this.writeScreen.backSpace(); + if (this.writeScreen === this.displayedMemory) { + this.outputDataUpdate(); + } + }; - function m3u8_parser__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + _proto5.ccAOF = function ccAOF() {// Reserved (formerly Alarm Off) + }; + _proto5.ccAON = function ccAON() {// Reserved (formerly Alarm On) + }; + _proto5.ccDER = function ccDER() { + // Delete to End of Row + cea_608_parser_logger.log('INFO', 'DER- Delete to End of Row'); + this.writeScreen.clearToEndOfRow(); + this.outputDataUpdate(); + }; + _proto5.ccRU = function ccRU(nrRows) { + // Roll-Up Captions-2,3,or 4 Rows + cea_608_parser_logger.log('INFO', 'RU(' + nrRows + ') - Roll Up'); + this.writeScreen = this.displayedMemory; + this.setMode('MODE_ROLL-UP'); + this.writeScreen.setRollUpRows(nrRows); + }; + _proto5.ccFON = function ccFON() { + // Flash On + cea_608_parser_logger.log('INFO', 'FON - Flash On'); + this.writeScreen.setPen({ + flash: true + }); + }; + _proto5.ccRDC = function ccRDC() { + // Resume Direct Captioning (switch mode to PaintOn) + cea_608_parser_logger.log('INFO', 'RDC - Resume Direct Captioning'); + this.setMode('MODE_PAINT-ON'); + }; + _proto5.ccTR = function ccTR() { + // Text Restart in text mode (not supported, however) + cea_608_parser_logger.log('INFO', 'TR'); + this.setMode('MODE_TEXT'); + }; + _proto5.ccRTD = function ccRTD() { + // Resume Text Display in Text mode (not supported, however) + cea_608_parser_logger.log('INFO', 'RTD'); + this.setMode('MODE_TEXT'); + }; + _proto5.ccEDM = function ccEDM() { + // Erase Displayed Memory + cea_608_parser_logger.log('INFO', 'EDM - Erase Displayed Memory'); + this.displayedMemory.reset(); + this.outputDataUpdate(true); + }; + _proto5.ccCR = function ccCR() { + // Carriage Return + cea_608_parser_logger.log('INFO', 'CR - Carriage Return'); + this.writeScreen.rollUp(); + this.outputDataUpdate(true); + }; + _proto5.ccENM = function ccENM() { + // Erase Non-Displayed Memory + cea_608_parser_logger.log('INFO', 'ENM - Erase Non-displayed Memory'); + this.nonDisplayedMemory.reset(); + }; - /** - * M3U8 parser - * @module - */ + _proto5.ccEOC = function ccEOC() { + // End of Caption (Flip Memories) + cea_608_parser_logger.log('INFO', 'EOC - End Of Caption'); -// https://regex101.com is your friend - var MASTER_PLAYLIST_REGEX = /#EXT-X-STREAM-INF:([^\n\r]*)[\r\n]+([^\r\n]+)/g; - var MASTER_PLAYLIST_MEDIA_REGEX = /#EXT-X-MEDIA:(.*)/g; + if (this.mode === 'MODE_POP-ON') { + var tmp = this.displayedMemory; + this.displayedMemory = this.nonDisplayedMemory; + this.nonDisplayedMemory = tmp; + this.writeScreen = this.nonDisplayedMemory; + cea_608_parser_logger.log('TEXT', 'DISP: ' + this.displayedMemory.getDisplayText()); + } - var LEVEL_PLAYLIST_REGEX_FAST = new RegExp([/#EXTINF:\s*(\d*(?:\.\d+)?)(?:,(.*)\s+)?/.source, // duration (#EXTINF:<duration>,<title>), group 1 => duration, group 2 => title - /|(?!#)(\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'); + this.outputDataUpdate(true); + }; - var LEVEL_PLAYLIST_REGEX_SLOW = /(?:(?:#(EXTM3U))|(?:#EXT-X-(PLAYLIST-TYPE):(.+))|(?:#EXT-X-(MEDIA-SEQUENCE): *(\d+))|(?:#EXT-X-(TARGETDURATION): *(\d+))|(?:#EXT-X-(KEY):(.+))|(?:#EXT-X-(START):(.+))|(?:#EXT-X-(ENDLIST))|(?:#EXT-X-(DISCONTINUITY-SEQ)UENCE:(\d+))|(?:#EXT-X-(DIS)CONTINUITY))|(?:#EXT-X-(VERSION):(\d+))|(?:#EXT-X-(MAP):(.+))|(?:(#)([^:]*):(.*))|(?:(#)(.*))(?:.*)\r?\n?/; + _proto5.ccTO = function ccTO(nrCols) { + // Tab Offset 1,2, or 3 columns + cea_608_parser_logger.log('INFO', 'TO(' + nrCols + ') - Tab Offset'); + this.writeScreen.moveCursor(nrCols); + }; - var MP4_REGEX_SUFFIX = /\.(mp4|m4s|m4v|m4a)$/i; + _proto5.ccMIDROW = function ccMIDROW(secondByte) { + // Parse MIDROW command + var styles = { + flash: false + }; + styles.underline = secondByte % 2 === 1; + styles.italics = secondByte >= 0x2e; - var m3u8_parser_M3U8Parser = function () { - function M3U8Parser() { - m3u8_parser__classCallCheck(this, M3U8Parser); - } + if (!styles.italics) { + var colorIndex = Math.floor(secondByte / 2) - 0x10; + var colors = ['white', 'green', 'blue', 'cyan', 'red', 'yellow', 'magenta']; + styles.foreground = colors[colorIndex]; + } else { + styles.foreground = 'white'; + } - M3U8Parser.findGroup = function findGroup(groups, mediaGroupId) { - if (!groups) { - return null; - } + cea_608_parser_logger.log('INFO', 'MIDROW: ' + JSON.stringify(styles)); + this.writeScreen.setPen(styles); + }; - var matchingGroup = null; + _proto5.outputDataUpdate = function outputDataUpdate(dispatch) { + if (dispatch === void 0) { + dispatch = false; + } - for (var i = 0; i < groups.length; i++) { - var group = groups[i]; - if (group.id === mediaGroupId) { - matchingGroup = group; - } - } + var t = cea_608_parser_logger.time; - return matchingGroup; - }; + if (t === null) { + return; + } - M3U8Parser.convertAVC1ToAVCOTI = function convertAVC1ToAVCOTI(codec) { - var result = void 0, - avcdata = codec.split('.'); - if (avcdata.length > 2) { - result = avcdata.shift() + '.'; - result += parseInt(avcdata.shift()).toString(16); - result += ('000' + parseInt(avcdata.shift()).toString(16)).substr(-4); - } else { - result = codec; - } - return result; - }; + if (this.outputFilter) { + if (this.cueStartTime === null && !this.displayedMemory.isEmpty()) { + // Start of a new cue + this.cueStartTime = t; + } else { + if (!this.displayedMemory.equals(this.lastOutputScreen)) { + this.outputFilter.newCue(this.cueStartTime, t, this.lastOutputScreen); - M3U8Parser.resolve = function resolve(url, baseUrl) { - return url_toolkit_default.a.buildAbsoluteURL(baseUrl, url, { alwaysNormalize: true }); - }; + if (dispatch && this.outputFilter.dispatchCue) { + this.outputFilter.dispatchCue(); + } - M3U8Parser.parseMasterPlaylist = function parseMasterPlaylist(string, baseurl) { - var levels = [], - result = void 0; - MASTER_PLAYLIST_REGEX.lastIndex = 0; + this.cueStartTime = this.displayedMemory.isEmpty() ? null : t; + } + } - function setCodecs(codecs, level) { - ['video', 'audio'].forEach(function (type) { - var filtered = codecs.filter(function (codec) { - return 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]; + this.lastOutputScreen.copy(this.displayedMemory); + } + }; - // remove from list - codecs = codecs.filter(function (codec) { - return filtered.indexOf(codec) === -1; - }); - } - }); + _proto5.cueSplitAtTime = function cueSplitAtTime(t) { + if (this.outputFilter) { + if (!this.displayedMemory.isEmpty()) { + if (this.outputFilter.newCue) { + this.outputFilter.newCue(this.cueStartTime, t, this.displayedMemory); + } - level.unknownCodecs = codecs; - } + this.cueStartTime = t; + } + } + }; - while ((result = MASTER_PLAYLIST_REGEX.exec(string)) != null) { - var level = {}; + return Cea608Channel; + }(); + + var Cea608Parser = + /*#__PURE__*/ + function () { + function Cea608Parser(field, out1, out2) { + this.field = void 0; + this.outputs = void 0; + this.channels = void 0; + this.currChNr = void 0; + this.lastCmdA = void 0; + this.lastCmdB = void 0; + this.lastTime = void 0; + this.dataCounters = void 0; + this.field = field || 1; + this.outputs = [out1, out2]; + this.channels = [new Cea608Channel(1, out1), new Cea608Channel(2, out2)]; + this.currChNr = -1; // Will be 1 or 2 + + this.lastCmdA = null; // First byte of last command + + this.lastCmdB = null; // Second byte of last command + + this.lastTime = null; + this.dataCounters = { + 'padding': 0, + 'char': 0, + 'cmd': 0, + 'other': 0 + }; + } - var attrs = level.attrs = new attr_list(result[1]); - level.url = M3U8Parser.resolve(result[2], baseurl); + var _proto6 = Cea608Parser.prototype; - var resolution = attrs.decimalResolution('RESOLUTION'); - if (resolution) { - level.width = resolution.width; - level.height = resolution.height; - } - level.bitrate = attrs.decimalInteger('AVERAGE-BANDWIDTH') || attrs.decimalInteger('BANDWIDTH'); - level.name = attrs.NAME; + _proto6.getHandler = function getHandler(index) { + return this.channels[index].getHandler(); + }; - setCodecs([].concat((attrs.CODECS || '').split(/[ ,]+/)), level); + _proto6.setHandler = function setHandler(index, newHandler) { + this.channels[index].setHandler(newHandler); + } + /** + * Add data for time t in forms of list of bytes (unsigned ints). The bytes are treated as pairs. + */ + ; + + _proto6.addData = function addData(t, byteList) { + var cmdFound, + a, + b, + charsFound = false; + this.lastTime = t; + cea_608_parser_logger.setTime(t); + + for (var i = 0; i < byteList.length; i += 2) { + a = byteList[i] & 0x7f; + b = byteList[i + 1] & 0x7f; + + if (a === 0 && b === 0) { + this.dataCounters.padding += 2; + continue; + } else { + cea_608_parser_logger.log('DATA', '[' + numArrayToHexArray([byteList[i], byteList[i + 1]]) + '] -> (' + numArrayToHexArray([a, b]) + ')'); + } - if (level.videoCodec && level.videoCodec.indexOf('avc1') !== -1) { - level.videoCodec = M3U8Parser.convertAVC1ToAVCOTI(level.videoCodec); - } + cmdFound = this.parseCmd(a, b); - levels.push(level); - } - return levels; - }; + if (!cmdFound) { + cmdFound = this.parseMidrow(a, b); + } - M3U8Parser.parseMasterPlaylistMedia = function parseMasterPlaylistMedia(string, baseurl, type) { - var audioGroups = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : []; + if (!cmdFound) { + cmdFound = this.parsePAC(a, b); + } - var result = void 0; - var medias = []; - var id = 0; - MASTER_PLAYLIST_MEDIA_REGEX.lastIndex = 0; - while ((result = MASTER_PLAYLIST_MEDIA_REGEX.exec(string)) !== null) { - var media = {}; - var attrs = new attr_list(result[1]); - if (attrs.TYPE === type) { - media.groupId = attrs['GROUP-ID']; - media.name = attrs.NAME; - media.type = type; - media.default = attrs.DEFAULT === 'YES'; - media.autoselect = attrs.AUTOSELECT === 'YES'; - media.forced = attrs.FORCED === 'YES'; - if (attrs.URI) { - media.url = M3U8Parser.resolve(attrs.URI, baseurl); - } + if (!cmdFound) { + cmdFound = this.parseBackgroundAttributes(a, b); + } - media.lang = attrs.LANGUAGE; - if (!media.name) { - media.name = media.lang; - } + if (!cmdFound) { + charsFound = this.parseChars(a, b); - if (audioGroups.length) { - var groupCodec = M3U8Parser.findGroup(audioGroups, media.groupId); - media.audioCodec = groupCodec ? groupCodec.codec : audioGroups[0].codec; - } - media.id = id++; - medias.push(media); - } - } - return medias; - }; + if (charsFound) { + if (this.currChNr && this.currChNr >= 0) { + var channel = this.channels[this.currChNr - 1]; + channel.insertChars(charsFound); + } else { + cea_608_parser_logger.log('WARNING', 'No channel found yet. TEXT-MODE?'); + } + } + } - M3U8Parser.parseLevelPlaylist = function parseLevelPlaylist(string, baseurl, id, type, levelUrlId) { - var currentSN = 0; - var totalduration = 0; - var level = new loader_level(baseurl); - var levelkey = new level_key(); - var cc = 0; - var prevFrag = null; - var frag = new loader_fragment(); - var result = void 0; - var i = void 0; - - var firstPdtIndex = null; - - LEVEL_PLAYLIST_REGEX_FAST.lastIndex = 0; - - 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(number_isFinite["a" /* isFiniteNumber */])(frag.duration)) { - var sn = currentSN++; - frag.type = type; - frag.start = totalduration; - frag.levelkey = levelkey; - frag.sn = sn; - frag.level = id; - frag.cc = cc; - frag.urlId = levelUrlId; - frag.baseurl = baseurl; - // avoid sliced strings https://github.com/video-dev/hls.js/issues/939 - frag.relurl = (' ' + result[3]).slice(1); - assignProgramDateTime(frag, prevFrag); - - level.fragments.push(frag); - prevFrag = frag; - totalduration += frag.duration; - - frag = new loader_fragment(); - } - } else if (result[4]) { - // X-BYTERANGE - frag.rawByteRange = (' ' + result[4]).slice(1); - if (prevFrag) { - var lastByteRangeEndOffset = prevFrag.byteRangeEndOffset; - if (lastByteRangeEndOffset) { - frag.lastByteRangeEndOffset = lastByteRangeEndOffset; + if (cmdFound) { + this.dataCounters.cmd += 2; + } else if (charsFound) { + this.dataCounters.char += 2; + } else { + this.dataCounters.other += 2; + cea_608_parser_logger.log('WARNING', 'Couldn\'t parse cleaned data ' + numArrayToHexArray([a, b]) + ' orig: ' + numArrayToHexArray([byteList[i], byteList[i + 1]])); + } } } - } 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 === null) { - firstPdtIndex = level.fragments.length; - } - } else { - result = result[0].match(LEVEL_PLAYLIST_REGEX_SLOW); - for (i = 1; i < result.length; i++) { - if (result[i] !== undefined) { - break; + /** + * Parse Command. + * @returns {Boolean} Tells if a command was found + */ + ; + + _proto6.parseCmd = function parseCmd(a, b) { + var chNr = null; + var cond1 = (a === 0x14 || a === 0x1C) && b >= 0x20 && b <= 0x2F; + var cond2 = (a === 0x17 || a === 0x1F) && b >= 0x21 && b <= 0x23; + + if (!(cond1 || cond2)) { + return false; } - } - // avoid sliced strings https://github.com/video-dev/hls.js/issues/939 - var value1 = (' ' + result[i + 1]).slice(1); - var value2 = (' ' + result[i + 2]).slice(1); + if (a === this.lastCmdA && b === this.lastCmdB) { + this.lastCmdA = null; + this.lastCmdB = null; // Repeated commands are dropped (once) - switch (result[i]) { - case '#': - frag.tagList.push(value2 ? [value1, value2] : [value1]); - break; - case 'PLAYLIST-TYPE': - level.type = value1.toUpperCase(); - break; - case 'MEDIA-SEQUENCE': - currentSN = level.startSN = parseInt(value1); - 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 'DIS': - cc++; - frag.tagList.push(['DIS']); - break; - case 'DISCONTINUITY-SEQ': - cc = parseInt(value1); - break; - case 'KEY': - // https://tools.ietf.org/html/draft-pantos-http-live-streaming-08#section-3.4.4 - var decryptparams = value1; - var keyAttrs = new attr_list(decryptparams); - var decryptmethod = keyAttrs.enumeratedString('METHOD'), - decrypturi = keyAttrs.URI, - decryptiv = keyAttrs.hexadecimalInteger('IV'); - if (decryptmethod) { - levelkey = new level_key(); - if (decrypturi && ['AES-128', 'SAMPLE-AES', 'SAMPLE-AES-CENC'].indexOf(decryptmethod) >= 0) { - levelkey.method = decryptmethod; - // URI to get the key - levelkey.baseuri = baseurl; - levelkey.reluri = decrypturi; - levelkey.key = null; - // Initialization Vector (IV) - levelkey.iv = decryptiv; - } - } - break; - case 'START': - var startParams = value1; - var startAttrs = new attr_list(startParams); - var startTimeOffset = startAttrs.decimalFloatingPoint('TIME-OFFSET'); - // TIME-OFFSET can be 0 - if (Object(number_isFinite["a" /* isFiniteNumber */])(startTimeOffset)) { - level.startTimeOffset = startTimeOffset; + cea_608_parser_logger.log('DEBUG', 'Repeated command (' + numArrayToHexArray([a, b]) + ') is dropped'); + return true; + } + + if (a === 0x14 || a === 0x17) { + chNr = 1; + } else { + chNr = 2; + } // (a === 0x1C || a=== 0x1f) + + + var channel = this.channels[chNr - 1]; + + if (a === 0x14 || a === 0x1C) { + if (b === 0x20) { + channel.ccRCL(); + } else if (b === 0x21) { + channel.ccBS(); + } else if (b === 0x22) { + channel.ccAOF(); + } else if (b === 0x23) { + channel.ccAON(); + } else if (b === 0x24) { + channel.ccDER(); + } else if (b === 0x25) { + channel.ccRU(2); + } else if (b === 0x26) { + channel.ccRU(3); + } else if (b === 0x27) { + channel.ccRU(4); + } else if (b === 0x28) { + channel.ccFON(); + } else if (b === 0x29) { + channel.ccRDC(); + } else if (b === 0x2A) { + channel.ccTR(); + } else if (b === 0x2B) { + channel.ccRTD(); + } else if (b === 0x2C) { + channel.ccEDM(); + } else if (b === 0x2D) { + channel.ccCR(); + } else if (b === 0x2E) { + channel.ccENM(); + } else if (b === 0x2F) { + channel.ccEOC(); } + } else { + // a == 0x17 || a == 0x1F + channel.ccTO(b - 0x20); + } - break; - case 'MAP': - var mapAttrs = new attr_list(value1); - frag.relurl = mapAttrs.URI; - frag.rawByteRange = mapAttrs.BYTERANGE; - frag.baseurl = baseurl; - frag.level = id; - frag.type = type; - frag.sn = 'initSegment'; - level.initSegment = frag; - frag = new loader_fragment(); - frag.rawProgramDateTime = level.initSegment.rawProgramDateTime; - break; - default: - logger["b" /* logger */].warn('line parsed but not handled: ' + result); - break; + this.lastCmdA = a; + this.lastCmdB = b; + this.currChNr = chNr; + return true; } - } - } - frag = prevFrag; - // logger.log('found ' + level.fragments.length + ' fragments'); - if (frag && !frag.relurl) { - level.fragments.pop(); - totalduration -= frag.duration; - } - level.totalduration = totalduration; - level.averagetargetduration = totalduration / level.fragments.length; - level.endSN = currentSN - 1; - level.startCC = level.fragments[0] ? level.fragments[0].cc : 0; - level.endCC = cc; - - if (!level.initSegment && level.fragments.length) { - // 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); - })) { - logger["b" /* logger */].warn('MP4 fragments found but no init segment (probably no MAP, incomplete M3U8), trying to fetch SIDX'); - - frag = new loader_fragment(); - frag.relurl = level.fragments[0].relurl; - frag.baseurl = baseurl; - frag.level = id; - frag.type = type; - frag.sn = 'initSegment'; - - level.initSegment = frag; - level.needSidxRanges = true; - } - } - - /** - * 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) { - backfillProgramDateTimes(level.fragments, firstPdtIndex); - } - - return level; - }; + /** + * Parse midrow styling command + * @returns {Boolean} + */ + ; + + _proto6.parseMidrow = function parseMidrow(a, b) { + var chNr = null; + + if ((a === 0x11 || a === 0x19) && b >= 0x20 && b <= 0x2f) { + if (a === 0x11) { + chNr = 1; + } else { + chNr = 2; + } - return M3U8Parser; - }(); + if (chNr !== this.currChNr) { + cea_608_parser_logger.log('ERROR', 'Mismatch channel in midrow parsing'); + return false; + } - /* harmony default export */ var m3u8_parser = (m3u8_parser_M3U8Parser); + var channel = this.channels[chNr - 1]; + channel.ccMIDROW(b); + cea_608_parser_logger.log('DEBUG', 'MIDROW (' + numArrayToHexArray([a, b]) + ')'); + return true; + } + return false; + } + /** + * Parse Preable Access Codes (Table 53). + * @returns {Boolean} Tells if PAC found + */ + ; + + _proto6.parsePAC = function parsePAC(a, b) { + var chNr = null; + var row = null; + var case1 = (a >= 0x11 && a <= 0x17 || a >= 0x19 && a <= 0x1F) && b >= 0x40 && b <= 0x7F; + var case2 = (a === 0x10 || a === 0x18) && b >= 0x40 && b <= 0x5F; + + if (!(case1 || case2)) { + return false; + } - function backfillProgramDateTimes(fragments, startIndex) { - var fragPrev = fragments[startIndex]; - for (var i = startIndex - 1; i >= 0; i--) { - var frag = fragments[i]; - frag.programDateTime = fragPrev.programDateTime - frag.duration * 1000; - fragPrev = frag; - } - } + if (a === this.lastCmdA && b === this.lastCmdB) { + this.lastCmdA = null; + this.lastCmdB = null; + return true; // Repeated commands are dropped (once) + } - function assignProgramDateTime(frag, prevFrag) { - if (frag.rawProgramDateTime) { - frag.programDateTime = Date.parse(frag.rawProgramDateTime); - } else if (prevFrag && prevFrag.programDateTime) { - frag.programDateTime = prevFrag.endProgramDateTime; - } + chNr = a <= 0x17 ? 1 : 2; - if (!Object(number_isFinite["a" /* isFiniteNumber */])(frag.programDateTime)) { - frag.programDateTime = null; - frag.rawProgramDateTime = null; - } - } -// CONCATENATED MODULE: ./src/loader/playlist-loader.js + if (b >= 0x40 && b <= 0x5F) { + row = chNr === 1 ? rowsLowCh1[a] : rowsLowCh2[a]; + } else { + // 0x60 <= b <= 0x7F + row = chNr === 1 ? rowsHighCh1[a] : rowsHighCh2[a]; + } + var pacData = this.interpretPAC(row, b); + var channel = this.channels[chNr - 1]; + channel.setPAC(pacData); + this.lastCmdA = a; + this.lastCmdB = b; + this.currChNr = chNr; + return true; + } + /** + * Interpret the second byte of the pac, and return the information. + * @returns {Object} pacData with style parameters. + */ + ; + + _proto6.interpretPAC = function interpretPAC(row, byte) { + var pacIndex = byte; + var pacData = { + color: null, + italics: false, + indent: null, + underline: false, + row: row + }; - var playlist_loader__createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); + if (byte > 0x5F) { + pacIndex = byte - 0x60; + } else { + pacIndex = byte - 0x40; + } - function playlist_loader__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + pacData.underline = (pacIndex & 1) === 1; - function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call && (typeof call === "object" || typeof call === "function") ? call : self; } + if (pacIndex <= 0xd) { + pacData.color = ['white', 'green', 'blue', 'cyan', 'red', 'yellow', 'magenta', 'white'][Math.floor(pacIndex / 2)]; + } else if (pacIndex <= 0xf) { + pacData.italics = true; + pacData.color = 'white'; + } else { + pacData.indent = Math.floor((pacIndex - 0x10) / 2) * 4; + } - function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; } + return pacData; // Note that row has zero offset. The spec uses 1. + } + /** + * Parse characters. + * @returns An array with 1 to 2 codes corresponding to chars, if found. null otherwise. + */ + ; + + _proto6.parseChars = function parseChars(a, b) { + var channelNr = null, + charCodes = null, + charCode1 = null; + + if (a >= 0x19) { + channelNr = 2; + charCode1 = a - 8; + } else { + channelNr = 1; + charCode1 = a; + } - /** - * 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 - * - */ + if (charCode1 >= 0x11 && charCode1 <= 0x13) { + // Special character + var oneCode = b; + if (charCode1 === 0x11) { + oneCode = b + 0x50; + } else if (charCode1 === 0x12) { + oneCode = b + 0x70; + } else { + oneCode = b + 0x90; + } + cea_608_parser_logger.log('INFO', 'Special char \'' + getCharForByte(oneCode) + '\' in channel ' + channelNr); + charCodes = [oneCode]; + } else if (a >= 0x20 && a <= 0x7f) { + charCodes = b === 0 ? [a] : [a, b]; + } + if (charCodes) { + var hexCodes = numArrayToHexArray(charCodes); + cea_608_parser_logger.log('DEBUG', 'Char codes = ' + hexCodes.join(',')); + this.lastCmdA = null; + this.lastCmdB = null; + } + return charCodes; + } + /** + * Parse extended background attributes as well as new foreground color black. + * @returns {Boolean} Tells if background attributes are found + */ + ; + + _proto6.parseBackgroundAttributes = function parseBackgroundAttributes(a, b) { + var bkgData, index, chNr, channel; + var case1 = (a === 0x10 || a === 0x18) && b >= 0x20 && b <= 0x2f; + var case2 = (a === 0x17 || a === 0x1f) && b >= 0x2d && b <= 0x2f; + + if (!(case1 || case2)) { + return false; + } + bkgData = {}; + if (a === 0x10 || a === 0x18) { + index = Math.floor((b - 0x20) / 2); + bkgData.background = backgroundColors[index]; + if (b % 2 === 1) { + bkgData.background = bkgData.background + '_semi'; + } + } else if (b === 0x2d) { + bkgData.background = 'transparent'; + } else { + bkgData.foreground = 'black'; + if (b === 0x2f) { + bkgData.underline = true; + } + } + chNr = a < 0x18 ? 1 : 2; + channel = this.channels[chNr - 1]; + channel.setBkgData(bkgData); + this.lastCmdA = null; + this.lastCmdB = null; + return true; + } + /** + * Reset state of parser and its channels. + */ + ; + + _proto6.reset = function reset() { + for (var i = 0; i < this.channels.length; i++) { + if (this.channels[i]) { + this.channels[i].reset(); + } + } - var _window = window, - performance = _window.performance; + this.lastCmdA = null; + this.lastCmdB = null; + } + /** + * Trigger the generation of a cue, and the start of a new one if displayScreens are not empty. + */ + ; + + _proto6.cueSplitAtTime = function cueSplitAtTime(t) { + for (var i = 0; i < this.channels.length; i++) { + if (this.channels[i]) { + this.channels[i].cueSplitAtTime(t); + } + } + }; - /** - * `type` property values for this loaders' context object - * @enum - * - */ + return Cea608Parser; + }(); + + /* harmony default export */ var cea_608_parser = (Cea608Parser); +// CONCATENATED MODULE: ./src/utils/output-filter.ts + var OutputFilter = + /*#__PURE__*/ + function () { + // TODO(typescript-timelineController) + function OutputFilter(timelineController, trackName) { + this.timelineController = void 0; + this.trackName = void 0; + this.startTime = void 0; + this.endTime = void 0; + this.screen = void 0; + this.timelineController = timelineController; + this.trackName = trackName; + this.startTime = null; + this.endTime = null; + this.screen = null; + } - var ContextType = { - MANIFEST: 'manifest', - LEVEL: 'level', - AUDIO_TRACK: 'audioTrack', - SUBTITLE_TRACK: 'subtitleTrack' - }; + var _proto = OutputFilter.prototype; - /** - * @enum {string} - */ - var LevelType = { - MAIN: 'main', - AUDIO: 'audio', - SUBTITLE: 'subtitle' - }; + _proto.dispatchCue = function dispatchCue() { + if (this.startTime === null) { + return; + } - /** - * @constructor - */ + this.timelineController.addCues(this.trackName, this.startTime, this.endTime, this.screen); + this.startTime = null; + }; - var playlist_loader_PlaylistLoader = function (_EventHandler) { - _inherits(PlaylistLoader, _EventHandler); + _proto.newCue = function newCue(startTime, endTime, screen) { + if (this.startTime === null || this.startTime > startTime) { + this.startTime = startTime; + } - /** - * @constructs - * @param {Hls} hls - */ - function PlaylistLoader(hls) { - playlist_loader__classCallCheck(this, PlaylistLoader); + this.endTime = endTime; + this.screen = screen; + this.timelineController.createCaptionsTrack(this.trackName); + }; - var _this = _possibleConstructorReturn(this, _EventHandler.call(this, hls, events["a" /* default */].MANIFEST_LOADING, events["a" /* default */].LEVEL_LOADING, events["a" /* default */].AUDIO_TRACK_LOADING, events["a" /* default */].SUBTITLE_TRACK_LOADING)); + return OutputFilter; + }(); - _this.loaders = {}; - return _this; - } - /** - * @param {ContextType} type - * @returns {boolean} - */ - PlaylistLoader.canHaveQualityLevels = function canHaveQualityLevels(type) { - return type !== ContextType.AUDIO_TRACK && type !== ContextType.SUBTITLE_TRACK; - }; +// CONCATENATED MODULE: ./src/utils/webvtt-parser.js - /** - * Map context.type to LevelType - * @param {{type: ContextType}} context - * @returns {LevelType} - */ - PlaylistLoader.mapContextToLevelType = function mapContextToLevelType(context) { - var type = context.type; - switch (type) { - case ContextType.AUDIO_TRACK: - return LevelType.AUDIO; - case ContextType.SUBTITLE_TRACK: - return LevelType.SUBTITLE; - default: - return LevelType.MAIN; - } - }; + // String.prototype.startsWith is not supported in IE11 - PlaylistLoader.getResponseUrl = 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 startsWith = function startsWith(inputString, searchString, position) { + return inputString.substr(position || 0, searchString.length) === searchString; + }; - /** - * Returns defaults or configured loader-type overloads (pLoader and loader config params) - * Default loader is XHRLoader (see utils) - * @param {object} context - * @returns {XHRLoader} or other compatible configured overload - */ + var webvtt_parser_cueString2millis = function cueString2millis(timeString) { + var ts = parseInt(timeString.substr(-3)); + var secs = parseInt(timeString.substr(-6, 2)); + var mins = parseInt(timeString.substr(-9, 2)); + var hours = timeString.length > 9 ? parseInt(timeString.substr(0, timeString.indexOf(':'))) : 0; + if (!Object(number_isFinite["isFiniteNumber"])(ts) || !Object(number_isFinite["isFiniteNumber"])(secs) || !Object(number_isFinite["isFiniteNumber"])(mins) || !Object(number_isFinite["isFiniteNumber"])(hours)) { + throw Error("Malformed X-TIMESTAMP-MAP: Local:" + timeString); + } - PlaylistLoader.prototype.createInternalLoader = function createInternalLoader(context) { - var config = this.hls.config; - var PLoader = config.pLoader; - var Loader = config.loader; - var InternalLoader = PLoader || Loader; + ts += 1000 * secs; + ts += 60 * 1000 * mins; + ts += 60 * 60 * 1000 * hours; + return ts; + }; // From https://github.com/darkskyapp/string-hash - var loader = new InternalLoader(config); - context.loader = loader; - this.loaders[context.type] = loader; + var hash = function hash(text) { + var hash = 5381; + var i = text.length; - return loader; - }; + while (i) { + hash = hash * 33 ^ text.charCodeAt(--i); + } - PlaylistLoader.prototype.getInternalLoader = function getInternalLoader(context) { - return this.loaders[context.type]; - }; + return (hash >>> 0).toString(); + }; - PlaylistLoader.prototype.resetInternalLoader = function resetInternalLoader(contextType) { - if (this.loaders[contextType]) { - delete this.loaders[contextType]; - } - }; + var calculateOffset = function calculateOffset(vttCCs, cc, presentationTime) { + var currCC = vttCCs[cc]; + var prevCC = vttCCs[currCC.prevCC]; // This is the first discontinuity or cues have been processed since the last discontinuity + // Offset = current discontinuity time - /** - * Call `destroy` on all internal loader instances mapped (one per context type) - */ + if (!prevCC || !prevCC.new && currCC.new) { + vttCCs.ccOffset = vttCCs.presentationOffset = currCC.start; + currCC.new = false; + return; + } // There have been discontinuities since cues were last parsed. + // Offset = time elapsed - PlaylistLoader.prototype.destroyInternalLoaders = function destroyInternalLoaders() { - for (var contextType in this.loaders) { - var loader = this.loaders[contextType]; - if (loader) { - loader.destroy(); + while (prevCC && prevCC.new) { + vttCCs.ccOffset += currCC.start - prevCC.start; + currCC.new = false; + currCC = prevCC; + prevCC = vttCCs[currCC.prevCC]; } - this.resetInternalLoader(contextType); - } - }; - - PlaylistLoader.prototype.destroy = function destroy() { - this.destroyInternalLoaders(); + vttCCs.presentationOffset = presentationTime; + }; - _EventHandler.prototype.destroy.call(this); - }; + var WebVTTParser = { + parse: function parse(vttByteArray, syncPTS, vttCCs, cc, callBack, errorCallBack) { + // Convert byteArray into string, replacing any somewhat exotic linefeeds with "\n", then split on that character. + var re = /\r\n|\n\r|\n|\r/g; // Uint8Array.prototype.reduce is not implemented in IE11 + + var vttLines = Object(id3["utf8ArrayToStr"])(new Uint8Array(vttByteArray)).trim().replace(re, '\n').split('\n'); + var cueTime = '00:00.000'; + var mpegTs = 0; + var localTime = 0; + var presentationTime = 0; + var cues = []; + var parsingError; + var inHeader = true; + var timestampMap = false; // let VTTCue = VTTCue || window.TextTrackCue; + // Create parser object using VTTCue with TextTrackCue fallback on certain browsers. + + var parser = new vttparser(); + + parser.oncue = function (cue) { + // Adjust cue timing; clamp cues to start no earlier than - and drop cues that don't end after - 0 on timeline. + var currCC = vttCCs[cc]; + var cueOffset = vttCCs.ccOffset; // Update offsets for new discontinuities + + if (currCC && currCC.new) { + if (localTime !== undefined) { + // When local time is provided, offset = discontinuity start time - local time + cueOffset = vttCCs.ccOffset = currCC.start; + } else { + calculateOffset(vttCCs, cc, presentationTime); + } + } - PlaylistLoader.prototype.onManifestLoading = function onManifestLoading(data) { - this.load(data.url, { type: ContextType.MANIFEST, level: 0, id: null }); - }; + if (presentationTime) { + // If we have MPEGTS, offset = presentation time + discontinuity offset + cueOffset = presentationTime - vttCCs.presentationOffset; + } - PlaylistLoader.prototype.onLevelLoading = function onLevelLoading(data) { - this.load(data.url, { type: ContextType.LEVEL, level: data.level, id: data.id }); - }; + if (timestampMap) { + cue.startTime += cueOffset - localTime; + cue.endTime += cueOffset - localTime; + } // Create a unique hash id for a cue based on start/end times and text. + // This helps timeline-controller to avoid showing repeated captions. - PlaylistLoader.prototype.onAudioTrackLoading = function onAudioTrackLoading(data) { - this.load(data.url, { type: ContextType.AUDIO_TRACK, level: null, id: data.id }); - }; - PlaylistLoader.prototype.onSubtitleTrackLoading = function onSubtitleTrackLoading(data) { - this.load(data.url, { type: ContextType.SUBTITLE_TRACK, level: null, id: data.id }); - }; + cue.id = hash(cue.startTime.toString()) + hash(cue.endTime.toString()) + hash(cue.text); // Fix encoding of special characters. TODO: Test with all sorts of weird characters. - PlaylistLoader.prototype.load = function load(url, context) { - var config = this.hls.config; + cue.text = decodeURIComponent(encodeURIComponent(cue.text)); - logger["b" /* logger */].debug('Loading playlist of type ' + context.type + ', level: ' + context.level + ', id: ' + context.id); + if (cue.endTime > 0) { + cues.push(cue); + } + }; - // Check if a loader for this context already exists - var loader = this.getInternalLoader(context); - if (loader) { - var loaderContext = loader.context; - if (loaderContext && loaderContext.url === url) { - // same URL can't overlap - logger["b" /* logger */].trace('playlist request ongoing'); - return false; - } else { - logger["b" /* logger */].warn('aborting previous loader for type: ' + context.type); - loader.abort(); - } - } + parser.onparsingerror = function (e) { + parsingError = e; + }; - var maxRetry = void 0, - timeout = void 0, - retryDelay = void 0, - maxRetryDelay = void 0; - - // apply different configs for retries depending on - // context (manifest, level, audio/subs playlist) - switch (context.type) { - case ContextType.MANIFEST: - maxRetry = config.manifestLoadingMaxRetry; - timeout = config.manifestLoadingTimeOut; - retryDelay = config.manifestLoadingRetryDelay; - maxRetryDelay = config.manifestLoadingMaxRetryTimeout; - break; - case ContextType.LEVEL: - // Disable internal loader retry logic, since we are managing retries in Level Controller - maxRetry = 0; - timeout = config.levelLoadingTimeOut; - // TODO Introduce retry settings for audio-track and subtitle-track, it should not use level retry config - break; - default: - maxRetry = config.levelLoadingMaxRetry; - timeout = config.levelLoadingTimeOut; - retryDelay = config.levelLoadingRetryDelay; - maxRetryDelay = config.levelLoadingMaxRetryTimeout; - break; - } + parser.onflush = function () { + if (parsingError && errorCallBack) { + errorCallBack(parsingError); + return; + } - loader = this.createInternalLoader(context); + callBack(cues); + }; // Go through contents line by line. - context.url = url; - context.responseType = context.responseType || ''; // FIXME: (should not be necessary to do this) - var loaderConfig = { - timeout: timeout, - maxRetry: maxRetry, - retryDelay: retryDelay, - maxRetryDelay: maxRetryDelay - }; + vttLines.forEach(function (line) { + if (inHeader) { + // Look for X-TIMESTAMP-MAP in header. + if (startsWith(line, 'X-TIMESTAMP-MAP=')) { + // Once found, no more are allowed anyway, so stop searching. + inHeader = false; + timestampMap = true; // Extract LOCAL and MPEGTS. - var loaderCallbacks = { - onSuccess: this.loadsuccess.bind(this), - onError: this.loaderror.bind(this), - onTimeout: this.loadtimeout.bind(this) - }; + line.substr(16).split(',').forEach(function (timestamp) { + if (startsWith(timestamp, 'LOCAL:')) { + cueTime = timestamp.substr(6); + } else if (startsWith(timestamp, 'MPEGTS:')) { + mpegTs = parseInt(timestamp.substr(7)); + } + }); - logger["b" /* logger */].debug('Calling internal loader delegate for URL: ' + url); + try { + // Calculate subtitle offset in milliseconds. + if (syncPTS + (vttCCs[cc].start * 90000 || 0) < 0) { + syncPTS += 8589934592; + } // Adjust MPEGTS by sync PTS. - loader.load(context, loaderConfig, loaderCallbacks); - return true; - }; + mpegTs -= syncPTS; // Convert cue time to seconds - PlaylistLoader.prototype.loadsuccess = function loadsuccess(response, stats, context) { - var networkDetails = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : null; + localTime = webvtt_parser_cueString2millis(cueTime) / 1000; // Convert MPEGTS to seconds from 90kHz. - if (context.isSidxRequest) { - this._handleSidxRequest(response, context); - this._handlePlaylistLoaded(response, stats, context, networkDetails); - return; - } + presentationTime = mpegTs / 90000; + } catch (e) { + timestampMap = false; + parsingError = e; + } // Return without parsing X-TIMESTAMP-MAP line. - this.resetInternalLoader(context.type); - var string = response.data; + return; + } else if (line === '') { + inHeader = false; + } + } // Parse line by default. - stats.tload = performance.now(); - // stats.mtime = new Date(target.getResponseHeader('Last-Modified')); - // Validate if it is an M3U8 at all - if (string.indexOf('#EXTM3U') !== 0) { - this._handleManifestParsingError(response, context, 'no EXTM3U delimiter', networkDetails); - return; - } + parser.parse(line + '\n'); + }); + parser.flush(); + } + }; + /* harmony default export */ var webvtt_parser = (WebVTTParser); +// CONCATENATED MODULE: ./src/controller/timeline-controller.ts - // 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); - } - }; - PlaylistLoader.prototype.loaderror = function loaderror(response, context) { - var networkDetails = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : null; - this._handleNetworkError(context, networkDetails); - }; + function timeline_controller_assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return self; } - PlaylistLoader.prototype.loadtimeout = function loadtimeout(stats, context) { - var networkDetails = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : null; + function timeline_controller_inheritsLoose(subClass, superClass) { subClass.prototype = Object.create(superClass.prototype); subClass.prototype.constructor = subClass; subClass.__proto__ = superClass; } - this._handleNetworkError(context, networkDetails, true); - }; - PlaylistLoader.prototype._handleMasterPlaylist = function _handleMasterPlaylist(response, stats, context, networkDetails) { - var hls = this.hls; - var string = response.data; - var url = PlaylistLoader.getResponseUrl(response, context); - var levels = m3u8_parser.parseMasterPlaylist(string, url); - 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, - codec: level.audioCodec - }; - }); - var audioTracks = m3u8_parser.parseMasterPlaylistMedia(string, url, 'AUDIO', audioGroups); - var subtitles = m3u8_parser.parseMasterPlaylistMedia(string, url, 'SUBTITLES'); - if (audioTracks.length) { - // check if we have found an audio track embedded in main playlist (audio track without URI attribute) - var embeddedAudioFound = false; - audioTracks.forEach(function (audioTrack) { - if (!audioTrack.url) { - embeddedAudioFound = true; - } - }); - // 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 === false && levels[0].audioCodec && !levels[0].attrs.AUDIO) { - logger["b" /* logger */].log('audio codec signaled in quality level, but no embedded audio track signaled, create one'); - audioTracks.unshift({ - type: 'main', - name: 'main' - }); - } - } +// TS todo: Reduce usage of any + var timeline_controller_TimelineController = + /*#__PURE__*/ + function (_EventHandler) { + timeline_controller_inheritsLoose(TimelineController, _EventHandler); - hls.trigger(events["a" /* default */].MANIFEST_LOADED, { - levels: levels, - audioTracks: audioTracks, - subtitles: subtitles, - url: url, - stats: stats, - networkDetails: networkDetails - }); - }; + function TimelineController(hls) { + var _this; - PlaylistLoader.prototype._handleTrackOrLevelPlaylist = function _handleTrackOrLevelPlaylist(response, stats, context, networkDetails) { - var hls = this.hls; + _this = _EventHandler.call(this, hls, events["default"].MEDIA_ATTACHING, events["default"].MEDIA_DETACHING, events["default"].FRAG_PARSING_USERDATA, events["default"].FRAG_DECRYPTED, events["default"].MANIFEST_LOADING, events["default"].MANIFEST_LOADED, events["default"].FRAG_LOADED, events["default"].INIT_PTS_FOUND) || this; + _this.media = null; + _this.config = void 0; + _this.enabled = true; + _this.Cues = void 0; + _this.textTracks = []; + _this.tracks = []; + _this.initPTS = []; + _this.unparsedVttFrags = []; + _this.cueRanges = []; + _this.captionsTracks = {}; + _this.captionsProperties = void 0; + _this.cea608Parser = void 0; + _this.lastSn = -1; + _this.prevCC = -1; + _this.vttCCs = null; + _this.hls = hls; + _this.config = hls.config; + _this.Cues = hls.config.cueHandler; + _this.captionsProperties = { + textTrack1: { + label: _this.config.captionsTextTrack1Label, + languageCode: _this.config.captionsTextTrack1LanguageCode + }, + textTrack2: { + label: _this.config.captionsTextTrack2Label, + languageCode: _this.config.captionsTextTrack2LanguageCode + } + }; - var id = context.id, - level = context.level, - type = context.type; + if (_this.config.enableCEA708Captions) { + var channel1 = new OutputFilter(timeline_controller_assertThisInitialized(_this), 'textTrack1'); + var channel2 = new OutputFilter(timeline_controller_assertThisInitialized(_this), 'textTrack2'); + _this.cea608Parser = new cea_608_parser(0, channel1, channel2); + } + return _this; + } - var url = PlaylistLoader.getResponseUrl(response, context); + var _proto = TimelineController.prototype; - var levelUrlId = Object(number_isFinite["a" /* isFiniteNumber */])(id) ? id : 0; - var levelId = Object(number_isFinite["a" /* isFiniteNumber */])(level) ? level : levelUrlId; - var levelType = PlaylistLoader.mapContextToLevelType(context); + _proto.addCues = function addCues(trackName, startTime, endTime, screen) { + // skip cues which overlap more than 50% with previously parsed time ranges + var ranges = this.cueRanges; + var merged = false; - var levelDetails = m3u8_parser.parseLevelPlaylist(response.data, url, levelId, levelType, levelUrlId); + for (var i = ranges.length; i--;) { + var cueRange = ranges[i]; + var overlap = intersection(cueRange[0], cueRange[1], startTime, endTime); - // set stats on level structure - levelDetails.tload = stats.tload; + if (overlap >= 0) { + cueRange[0] = Math.min(cueRange[0], startTime); + cueRange[1] = Math.max(cueRange[1], endTime); + merged = true; - // 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 === ContextType.MANIFEST) { - var singleLevel = { - url: url, - details: levelDetails - }; + if (overlap / (endTime - startTime) > 0.5) { + return; + } + } + } - hls.trigger(events["a" /* default */].MANIFEST_LOADED, { - levels: [singleLevel], - audioTracks: [], - url: url, - stats: stats, - networkDetails: networkDetails - }); - } + if (!merged) { + ranges.push([startTime, endTime]); + } - // save parsing time - stats.tparsed = 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(sidxUrl, { - isSidxRequest: true, - type: type, - level: level, - levelDetails: levelDetails, - id: id, - rangeStart: 0, - rangeEnd: 2048, - responseType: 'arraybuffer' - }); - return; - } + this.Cues.newCue(this.captionsTracks[trackName], startTime, endTime, screen); + } // Triggered when an initial PTS is found; used for synchronisation of WebVTT. + ; - // extend the context with the new levelDetails property - context.levelDetails = levelDetails; + _proto.onInitPtsFound = function onInitPtsFound(data) { + var _this2 = this; - this._handlePlaylistLoaded(response, stats, context, networkDetails); - }; + var frag = data.frag, + id = data.id, + initPTS = data.initPTS; + var unparsedVttFrags = this.unparsedVttFrags; - PlaylistLoader.prototype._handleSidxRequest = function _handleSidxRequest(response, context) { - var sidxInfo = mp4demuxer["a" /* default */].parseSegmentIndex(new Uint8Array(response.data)); - sidxInfo.references.forEach(function (segmentRef, index) { - var segRefInfo = segmentRef.info; - var frag = context.levelDetails.fragments[index]; + if (id === 'main') { + this.initPTS[frag.cc] = initPTS; + } // Due to asynchronous processing, initial PTS may arrive later than the first VTT fragments are loaded. + // Parse any unparsed fragments upon receiving the initial PTS. - if (frag.byteRange.length === 0) { - frag.rawByteRange = String(1 + segRefInfo.end - segRefInfo.start) + '@' + String(segRefInfo.start); - } - }); - context.levelDetails.initSegment.rawByteRange = String(sidxInfo.moovEndOffset) + '@0'; - }; + if (unparsedVttFrags.length) { + this.unparsedVttFrags = []; + unparsedVttFrags.forEach(function (frag) { + _this2.onFragLoaded(frag); + }); + } + }; - PlaylistLoader.prototype._handleManifestParsingError = function _handleManifestParsingError(response, context, reason, networkDetails) { - this.hls.trigger(events["a" /* default */].ERROR, { - type: errors["b" /* ErrorTypes */].NETWORK_ERROR, - details: errors["a" /* ErrorDetails */].MANIFEST_PARSING_ERROR, - fatal: true, - url: response.url, - reason: reason, - networkDetails: networkDetails - }); - }; + _proto.getExistingTrack = function getExistingTrack(trackName) { + var media = this.media; - PlaylistLoader.prototype._handleNetworkError = function _handleNetworkError(context, networkDetails) { - var timeout = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : false; + if (media) { + for (var i = 0; i < media.textTracks.length; i++) { + var textTrack = media.textTracks[i]; - logger["b" /* logger */].info('A network error occured while loading a ' + context.type + '-type playlist'); + if (textTrack[trackName]) { + return textTrack; + } + } + } - var details = void 0; - var fatal = void 0; + return null; + }; - var loader = this.getInternalLoader(context); + _proto.createCaptionsTrack = function createCaptionsTrack(trackName) { + var captionsProperties = this.captionsProperties, + captionsTracks = this.captionsTracks, + media = this.media; + var _captionsProperties$t = captionsProperties[trackName], + label = _captionsProperties$t.label, + languageCode = _captionsProperties$t.languageCode; + + if (!captionsTracks[trackName]) { + // Enable reuse of existing text track. + var existingTrack = this.getExistingTrack(trackName); + + if (!existingTrack) { + var textTrack = this.createTextTrack('captions', label, languageCode); + + if (textTrack) { + // Set a special property on the track so we know it's managed by Hls.js + textTrack[trackName] = true; + captionsTracks[trackName] = textTrack; + } + } else { + captionsTracks[trackName] = existingTrack; + clearCurrentCues(captionsTracks[trackName]); + sendAddTrackEvent(captionsTracks[trackName], media); + } + } + }; - switch (context.type) { - case ContextType.MANIFEST: - details = timeout ? errors["a" /* ErrorDetails */].MANIFEST_LOAD_TIMEOUT : errors["a" /* ErrorDetails */].MANIFEST_LOAD_ERROR; - fatal = true; - break; - case ContextType.LEVEL: - details = timeout ? errors["a" /* ErrorDetails */].LEVEL_LOAD_TIMEOUT : errors["a" /* ErrorDetails */].LEVEL_LOAD_ERROR; - fatal = false; - break; - case ContextType.AUDIO_TRACK: - details = timeout ? errors["a" /* ErrorDetails */].AUDIO_TRACK_LOAD_TIMEOUT : errors["a" /* ErrorDetails */].AUDIO_TRACK_LOAD_ERROR; - fatal = false; - break; - default: - // details = ...? - fatal = false; - } + _proto.createTextTrack = function createTextTrack(kind, label, lang) { + var media = this.media; - if (loader) { - loader.abort(); - this.resetInternalLoader(context.type); - } + if (!media) { + return; + } - this.hls.trigger(events["a" /* default */].ERROR, { - type: errors["b" /* ErrorTypes */].NETWORK_ERROR, - details: details, - fatal: fatal, - url: loader.url, - loader: loader, - context: context, - networkDetails: networkDetails - }); - }; + return media.addTextTrack(kind, label, lang); + }; - PlaylistLoader.prototype._handlePlaylistLoaded = function _handlePlaylistLoaded(response, stats, context, networkDetails) { - var type = context.type, - level = context.level, - id = context.id, - levelDetails = context.levelDetails; + _proto.destroy = function destroy() { + _EventHandler.prototype.destroy.call(this); + }; + _proto.onMediaAttaching = function onMediaAttaching(data) { + this.media = data.media; - if (!levelDetails.targetduration) { - this._handleManifestParsingError(response, context, 'invalid target duration', networkDetails); - return; - } + this._cleanTracks(); + }; - var canHaveLevels = PlaylistLoader.canHaveQualityLevels(context.type); - if (canHaveLevels) { - this.hls.trigger(events["a" /* default */].LEVEL_LOADED, { - details: levelDetails, - level: level || 0, - id: id || 0, - stats: stats, - networkDetails: networkDetails - }); - } else { - switch (type) { - case ContextType.AUDIO_TRACK: - this.hls.trigger(events["a" /* default */].AUDIO_TRACK_LOADED, { - details: levelDetails, - id: id, - stats: stats, - networkDetails: networkDetails - }); - break; - case ContextType.SUBTITLE_TRACK: - this.hls.trigger(events["a" /* default */].SUBTITLE_TRACK_LOADED, { - details: levelDetails, - id: id, - stats: stats, - networkDetails: networkDetails + _proto.onMediaDetaching = function onMediaDetaching() { + var captionsTracks = this.captionsTracks; + Object.keys(captionsTracks).forEach(function (trackName) { + clearCurrentCues(captionsTracks[trackName]); + delete captionsTracks[trackName]; }); - break; - } - } - }; + }; - playlist_loader__createClass(PlaylistLoader, null, [{ - key: 'ContextType', - get: function get() { - return ContextType; - } - }, { - key: 'LevelType', - get: function get() { - return LevelType; - } - }]); + _proto.onManifestLoading = function onManifestLoading() { + this.lastSn = -1; // Detect discontiguity in fragment parsing + + this.prevCC = -1; + this.vttCCs = { + // Detect discontinuity in subtitle manifests + ccOffset: 0, + presentationOffset: 0, + 0: { + start: 0, + prevCC: -1, + new: false + } + }; - return PlaylistLoader; - }(event_handler); + this._cleanTracks(); + }; - /* harmony default export */ var playlist_loader = (playlist_loader_PlaylistLoader); -// CONCATENATED MODULE: ./src/loader/fragment-loader.js + _proto._cleanTracks = function _cleanTracks() { + // clear outdated subtitles + var media = this.media; + if (!media) { + return; + } - function fragment_loader__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + var textTracks = media.textTracks; - function fragment_loader__possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call && (typeof call === "object" || typeof call === "function") ? call : self; } + if (textTracks) { + for (var i = 0; i < textTracks.length; i++) { + clearCurrentCues(textTracks[i]); + } + } + }; - function fragment_loader__inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; } + _proto.onManifestLoaded = function onManifestLoaded(data) { + var _this3 = this; - /* - * Fragment Loader -*/ + this.textTracks = []; + this.unparsedVttFrags = this.unparsedVttFrags || []; + this.initPTS = []; + this.cueRanges = []; + if (this.config.enableWebVTT) { + this.tracks = data.subtitles || []; + var inUseTracks = this.media ? this.media.textTracks : []; + this.tracks.forEach(function (track, index) { + var textTrack; + if (index < inUseTracks.length) { + var inUseTrack = null; + for (var i = 0; i < inUseTracks.length; i++) { + if (canReuseVttTextTrack(inUseTracks[i], track)) { + inUseTrack = inUseTracks[i]; + break; + } + } // Reuse tracks with the same label, but do not reuse 608/708 tracks + if (inUseTrack) { + textTrack = inUseTrack; + } + } - var fragment_loader_FragmentLoader = function (_EventHandler) { - fragment_loader__inherits(FragmentLoader, _EventHandler); + if (!textTrack) { + textTrack = _this3.createTextTrack('subtitles', track.name, track.lang); + } - function FragmentLoader(hls) { - fragment_loader__classCallCheck(this, FragmentLoader); + if (track.default) { + textTrack.mode = _this3.hls.subtitleDisplay ? 'showing' : 'hidden'; + } else { + textTrack.mode = 'disabled'; + } - var _this = fragment_loader__possibleConstructorReturn(this, _EventHandler.call(this, hls, events["a" /* default */].FRAG_LOADING)); + _this3.textTracks.push(textTrack); + }); + } + }; - _this.loaders = {}; - return _this; - } + _proto.onFragLoaded = function onFragLoaded(data) { + var frag = data.frag, + payload = data.payload; + var cea608Parser = this.cea608Parser, + initPTS = this.initPTS, + lastSn = this.lastSn, + unparsedVttFrags = this.unparsedVttFrags; - FragmentLoader.prototype.destroy = function destroy() { - var loaders = this.loaders; - for (var loaderName in loaders) { - var loader = loaders[loaderName]; - if (loader) { - loader.destroy(); - } - } - this.loaders = {}; + if (frag.type === 'main') { + var sn = frag.sn; // if this frag isn't contiguous, clear the parser so cues with bad start/end times aren't added to the textTrack - _EventHandler.prototype.destroy.call(this); - }; + if (frag.sn !== lastSn + 1) { + if (cea608Parser) { + cea608Parser.reset(); + } + } - FragmentLoader.prototype.onFragLoading = function onFragLoading(data) { - var frag = data.frag, - type = frag.type, - loaders = this.loaders, - config = this.hls.config, - FragmentILoader = config.fLoader, - DefaultILoader = config.loader; - - // reset fragment state - frag.loaded = 0; - - var loader = loaders[type]; - if (loader) { - logger["b" /* logger */].warn('abort previous fragment loader for type: ' + type); - loader.abort(); - } + this.lastSn = sn; + } // eslint-disable-line brace-style + // If fragment is subtitle type, parse as WebVTT. + else if (frag.type === 'subtitle') { + if (payload.byteLength) { + // We need an initial synchronisation PTS. Store fragments as long as none has arrived. + if (!Object(number_isFinite["isFiniteNumber"])(initPTS[frag.cc])) { + unparsedVttFrags.push(data); + + if (initPTS.length) { + // finish unsuccessfully, otherwise the subtitle-stream-controller could be blocked from loading new frags. + this.hls.trigger(events["default"].SUBTITLE_FRAG_PROCESSED, { + success: false, + frag: frag + }); + } - loader = loaders[type] = frag.loader = config.fLoader ? new FragmentILoader(config) : new DefaultILoader(config); + return; + } - var loaderContext = void 0, - loaderConfig = void 0, - loaderCallbacks = void 0; + var decryptData = frag.decryptdata; // If the subtitles are not encrypted, parse VTTs now. Otherwise, we need to wait. - loaderContext = { url: frag.url, frag: frag, responseType: 'arraybuffer', progressData: false }; + if (decryptData == null || decryptData.key == null || decryptData.method !== 'AES-128') { + this._parseVTTs(frag, payload); + } + } else { + // In case there is no payload, finish unsuccessfully. + this.hls.trigger(events["default"].SUBTITLE_FRAG_PROCESSED, { + success: false, + frag: frag + }); + } + } + }; - var start = frag.byteRangeStartOffset, - end = frag.byteRangeEndOffset; + _proto._parseVTTs = function _parseVTTs(frag, payload) { + var hls = this.hls, + prevCC = this.prevCC, + textTracks = this.textTracks, + vttCCs = this.vttCCs; + + if (!vttCCs[frag.cc]) { + vttCCs[frag.cc] = { + start: frag.start, + prevCC: prevCC, + new: true + }; + this.prevCC = frag.cc; + } // Parse the WebVTT file contents. - if (Object(number_isFinite["a" /* isFiniteNumber */])(start) && Object(number_isFinite["a" /* isFiniteNumber */])(end)) { - loaderContext.rangeStart = start; - loaderContext.rangeEnd = end; - } - loaderConfig = { - timeout: config.fragLoadingTimeOut, - maxRetry: 0, - retryDelay: 0, - maxRetryDelay: config.fragLoadingMaxRetryTimeout - }; + webvtt_parser.parse(payload, this.initPTS[frag.cc], vttCCs, frag.cc, function (cues) { + var currentTrack = textTracks[frag.level]; // WebVTTParser.parse is an async method and if the currently selected text track mode is set to "disabled" + // before parsing is done then don't try to access currentTrack.cues.getCueById as cues will be null + // and trying to access getCueById method of cues will throw an exception - loaderCallbacks = { - onSuccess: this.loadsuccess.bind(this), - onError: this.loaderror.bind(this), - onTimeout: this.loadtimeout.bind(this), - onProgress: this.loadprogress.bind(this) - }; + if (currentTrack.mode === 'disabled') { + hls.trigger(events["default"].SUBTITLE_FRAG_PROCESSED, { + success: false, + frag: frag + }); + return; + } // Add cues and trigger event with success true. - loader.load(loaderContext, loaderConfig, loaderCallbacks); - }; - FragmentLoader.prototype.loadsuccess = function loadsuccess(response, stats, context) { - var networkDetails = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : null; + cues.forEach(function (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. + if (!currentTrack.cues.getCueById(cue.id)) { + try { + currentTrack.addCue(cue); - var payload = response.data, - frag = context.frag; - // detach fragment loader on load success - frag.loader = undefined; - this.loaders[frag.type] = undefined; - this.hls.trigger(events["a" /* default */].FRAG_LOADED, { payload: payload, frag: frag, stats: stats, networkDetails: networkDetails }); - }; + if (!currentTrack.cues.getCueById(cue.id)) { + throw new Error("addCue is failed for: " + cue); + } + } catch (err) { + logger["logger"].debug("Failed occurred on adding cues: " + err); + var textTrackCue = new window.TextTrackCue(cue.startTime, cue.endTime, cue.text); + textTrackCue.id = cue.id; + currentTrack.addCue(textTrackCue); + } + } + }); + hls.trigger(events["default"].SUBTITLE_FRAG_PROCESSED, { + success: true, + frag: frag + }); + }, function (e) { + // Something went wrong while parsing. Trigger event with success false. + logger["logger"].log("Failed to parse VTT cue: " + e); + hls.trigger(events["default"].SUBTITLE_FRAG_PROCESSED, { + success: false, + frag: frag + }); + }); + }; - FragmentLoader.prototype.loaderror = function loaderror(response, context) { - var networkDetails = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : null; + _proto.onFragDecrypted = function onFragDecrypted(data) { + var frag = data.frag, + payload = data.payload; - var frag = context.frag; - var loader = frag.loader; - if (loader) { - loader.abort(); - } + if (frag.type === 'subtitle') { + if (!Object(number_isFinite["isFiniteNumber"])(this.initPTS[frag.cc])) { + this.unparsedVttFrags.push(data); + return; + } - this.loaders[frag.type] = undefined; - this.hls.trigger(events["a" /* default */].ERROR, { type: errors["b" /* ErrorTypes */].NETWORK_ERROR, details: errors["a" /* ErrorDetails */].FRAG_LOAD_ERROR, fatal: false, frag: context.frag, response: response, networkDetails: networkDetails }); - }; + this._parseVTTs(frag, payload); + } + }; - FragmentLoader.prototype.loadtimeout = function loadtimeout(stats, context) { - var networkDetails = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : null; + _proto.onFragParsingUserdata = function onFragParsingUserdata(data) { + if (!this.enabled || !this.cea608Parser) { + return; + } // If the event contains captions (found in the bytes property), push all bytes into the parser immediately + // It will create the proper timestamps based on the PTS value - var frag = context.frag; - var loader = frag.loader; - if (loader) { - loader.abort(); - } - this.loaders[frag.type] = undefined; - this.hls.trigger(events["a" /* default */].ERROR, { type: errors["b" /* ErrorTypes */].NETWORK_ERROR, details: errors["a" /* ErrorDetails */].FRAG_LOAD_TIMEOUT, fatal: false, frag: context.frag, networkDetails: networkDetails }); - }; + for (var i = 0; i < data.samples.length; i++) { + var ccBytes = data.samples[i].bytes; - // data will be used for progressive parsing + if (ccBytes) { + var ccdatas = this.extractCea608Data(ccBytes); + this.cea608Parser.addData(data.samples[i].pts, ccdatas); + } + } + }; + _proto.extractCea608Data = function extractCea608Data(byteArray) { + var count = byteArray[0] & 31; + var position = 2; + var tmpByte, ccbyte1, ccbyte2, ccValid, ccType; + var actualCCBytes = []; - FragmentLoader.prototype.loadprogress = function loadprogress(stats, context, data) { - var networkDetails = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : null; - // jshint ignore:line - var frag = context.frag; - frag.loaded = stats.loaded; - this.hls.trigger(events["a" /* default */].FRAG_LOAD_PROGRESS, { frag: frag, stats: stats, networkDetails: networkDetails }); - }; + for (var j = 0; j < count; j++) { + tmpByte = byteArray[position++]; + ccbyte1 = 0x7F & byteArray[position++]; + ccbyte2 = 0x7F & byteArray[position++]; + ccValid = (4 & tmpByte) !== 0; + ccType = 3 & tmpByte; - return FragmentLoader; - }(event_handler); + if (ccbyte1 === 0 && ccbyte2 === 0) { + continue; + } - /* harmony default export */ var fragment_loader = (fragment_loader_FragmentLoader); -// CONCATENATED MODULE: ./src/loader/key-loader.js - function key_loader__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + if (ccValid) { + if (ccType === 0) { + // || ccType === 1 + actualCCBytes.push(ccbyte1); + actualCCBytes.push(ccbyte2); + } + } + } - function key_loader__possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call && (typeof call === "object" || typeof call === "function") ? call : self; } + return actualCCBytes; + }; - function key_loader__inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; } + return TimelineController; + }(event_handler); - /* - * Decrypt key Loader -*/ + function canReuseVttTextTrack(inUseTrack, manifestTrack) { + return inUseTrack && inUseTrack.label === manifestTrack.name && !(inUseTrack.textTrack1 || inUseTrack.textTrack2); + } + function intersection(x1, x2, y1, y2) { + return Math.min(x2, y2) - Math.max(x1, y1); + } + /* harmony default export */ var timeline_controller = (timeline_controller_TimelineController); +// CONCATENATED MODULE: ./src/controller/subtitle-track-controller.js - var key_loader_KeyLoader = function (_EventHandler) { - key_loader__inherits(KeyLoader, _EventHandler); + function subtitle_track_controller_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 KeyLoader(hls) { - key_loader__classCallCheck(this, KeyLoader); + function subtitle_track_controller_createClass(Constructor, protoProps, staticProps) { if (protoProps) subtitle_track_controller_defineProperties(Constructor.prototype, protoProps); if (staticProps) subtitle_track_controller_defineProperties(Constructor, staticProps); return Constructor; } - var _this = key_loader__possibleConstructorReturn(this, _EventHandler.call(this, hls, events["a" /* default */].KEY_LOADING)); + function subtitle_track_controller_inheritsLoose(subClass, superClass) { subClass.prototype = Object.create(superClass.prototype); subClass.prototype.constructor = subClass; subClass.__proto__ = superClass; } - _this.loaders = {}; - _this.decryptkey = null; - _this.decrypturl = null; - return _this; - } - KeyLoader.prototype.destroy = function destroy() { - for (var loaderName in this.loaders) { - var loader = this.loaders[loaderName]; - if (loader) { - loader.destroy(); - } - } - this.loaders = {}; - event_handler.prototype.destroy.call(this); - }; - KeyLoader.prototype.onKeyLoading = function onKeyLoading(data) { - var frag = data.frag, - type = frag.type, - loader = this.loaders[type], - decryptdata = frag.decryptdata, - uri = decryptdata.uri; - // if uri is different from previous one or if decrypt key not retrieved yet - if (uri !== this.decrypturl || this.decryptkey === null) { - var config = this.hls.config; - - if (loader) { - logger["b" /* logger */].warn('abort previous key loader for type:' + type); - loader.abort(); - } - frag.loader = this.loaders[type] = new config.loader(config); - this.decrypturl = uri; - this.decryptkey = null; - - var loaderContext = void 0, - loaderConfig = void 0, - loaderCallbacks = void 0; - loaderContext = { url: uri, frag: frag, responseType: 'arraybuffer' }; - loaderConfig = { timeout: config.fragLoadingTimeOut, maxRetry: config.fragLoadingMaxRetry, retryDelay: config.fragLoadingRetryDelay, maxRetryDelay: config.fragLoadingMaxRetryTimeout }; - loaderCallbacks = { onSuccess: this.loadsuccess.bind(this), onError: this.loaderror.bind(this), onTimeout: this.loadtimeout.bind(this) }; - frag.loader.load(loaderContext, loaderConfig, loaderCallbacks); - } else if (this.decryptkey) { - // we already loaded this key, return it - decryptdata.key = this.decryptkey; - this.hls.trigger(events["a" /* default */].KEY_LOADED, { frag: frag }); - } - }; - KeyLoader.prototype.loadsuccess = function loadsuccess(response, stats, context) { - var frag = context.frag; - this.decryptkey = frag.decryptdata.key = new Uint8Array(response.data); - // detach fragment loader on load success - frag.loader = undefined; - this.loaders[frag.type] = undefined; - this.hls.trigger(events["a" /* default */].KEY_LOADED, { frag: frag }); - }; - KeyLoader.prototype.loaderror = function loaderror(response, context) { - var frag = context.frag, - loader = frag.loader; - if (loader) { - loader.abort(); - } - this.loaders[context.type] = undefined; - this.hls.trigger(events["a" /* default */].ERROR, { type: errors["b" /* ErrorTypes */].NETWORK_ERROR, details: errors["a" /* ErrorDetails */].KEY_LOAD_ERROR, fatal: false, frag: frag, response: response }); - }; - KeyLoader.prototype.loadtimeout = function loadtimeout(stats, context) { - var frag = context.frag, - loader = frag.loader; - if (loader) { - loader.abort(); - } + var subtitle_track_controller_SubtitleTrackController = + /*#__PURE__*/ + function (_EventHandler) { + subtitle_track_controller_inheritsLoose(SubtitleTrackController, _EventHandler); - this.loaders[context.type] = undefined; - this.hls.trigger(events["a" /* default */].ERROR, { type: errors["b" /* ErrorTypes */].NETWORK_ERROR, details: errors["a" /* ErrorDetails */].KEY_LOAD_TIMEOUT, fatal: false, frag: frag }); - }; + function SubtitleTrackController(hls) { + var _this; - return KeyLoader; - }(event_handler); + _this = _EventHandler.call(this, hls, events["default"].MEDIA_ATTACHED, events["default"].MEDIA_DETACHING, events["default"].MANIFEST_LOADED, events["default"].SUBTITLE_TRACK_LOADED) || this; + _this.tracks = []; + _this.trackId = -1; + _this.media = null; + _this.stopped = true; + /** + * @member {boolean} subtitleDisplay Enable/disable subtitle display rendering + */ - /* harmony default export */ var key_loader = (key_loader_KeyLoader); -// CONCATENATED MODULE: ./src/controller/fragment-tracker.js + _this.subtitleDisplay = true; + /** + * Keeps reference to a default track id when media has not been attached yet + * @member {number} + */ + _this.queuedDefaultTrack = null; + return _this; + } - function fragment_tracker__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + var _proto = SubtitleTrackController.prototype; - function fragment_tracker__possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call && (typeof call === "object" || typeof call === "function") ? call : self; } + _proto.destroy = function destroy() { + event_handler.prototype.destroy.call(this); + } // Listen for subtitle track change, then extract the current track ID. + ; - function fragment_tracker__inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; } + _proto.onMediaAttached = function onMediaAttached(data) { + var _this2 = this; + this.media = data.media; + if (!this.media) { + return; + } + if (Object(number_isFinite["isFiniteNumber"])(this.queuedDefaultTrack)) { + this.subtitleTrack = this.queuedDefaultTrack; + this.queuedDefaultTrack = null; + } - var FragmentState = { - NOT_LOADED: 'NOT_LOADED', - APPENDING: 'APPENDING', - PARTIAL: 'PARTIAL', - OK: 'OK' - }; + this.trackChangeListener = this._onTextTracksChanged.bind(this); + this.useTextTrackPolling = !(this.media.textTracks && 'onchange' in this.media.textTracks); - var fragment_tracker_FragmentTracker = function (_EventHandler) { - fragment_tracker__inherits(FragmentTracker, _EventHandler); + if (this.useTextTrackPolling) { + this.subtitlePollingInterval = setInterval(function () { + _this2.trackChangeListener(); + }, 500); + } else { + this.media.textTracks.addEventListener('change', this.trackChangeListener); + } + }; - function FragmentTracker(hls) { - fragment_tracker__classCallCheck(this, FragmentTracker); + _proto.onMediaDetaching = function onMediaDetaching() { + if (!this.media) { + return; + } - var _this = fragment_tracker__possibleConstructorReturn(this, _EventHandler.call(this, hls, events["a" /* default */].BUFFER_APPENDED, events["a" /* default */].FRAG_BUFFERED, events["a" /* default */].FRAG_LOADED)); + if (this.useTextTrackPolling) { + clearInterval(this.subtitlePollingInterval); + } else { + this.media.textTracks.removeEventListener('change', this.trackChangeListener); + } - _this.bufferPadding = 0.2; + if (Object(number_isFinite["isFiniteNumber"])(this.subtitleTrack)) { + this.queuedDefaultTrack = this.subtitleTrack; + } - _this.fragments = Object.create(null); - _this.timeRanges = Object.create(null); + var textTracks = filterSubtitleTracks(this.media.textTracks); // Clear loaded cues on media detachment from tracks + + textTracks.forEach(function (track) { + clearCurrentCues(track); + }); // Disable all subtitle tracks before detachment so when reattached only tracks in that content are enabled. + + this.subtitleTrack = -1; + this.media = null; + } // Fired whenever a new manifest is loaded. + ; + + _proto.onManifestLoaded = function onManifestLoaded(data) { + var _this3 = this; + + var tracks = data.subtitles || []; + this.tracks = tracks; + this.hls.trigger(events["default"].SUBTITLE_TRACKS_UPDATED, { + subtitleTracks: tracks + }); // loop through available subtitle tracks and autoselect default if needed + // TODO: improve selection logic to handle forced, etc + + tracks.forEach(function (track) { + if (track.default) { + // setting this.subtitleTrack will trigger internal logic + // if media has not been attached yet, it will fail + // we keep a reference to the default track id + // and we'll set subtitleTrack when onMediaAttached is triggered + if (_this3.media) { + _this3.subtitleTrack = track.id; + } else { + _this3.queuedDefaultTrack = track.id; + } + } + }); + }; - _this.config = hls.config; - return _this; - } + _proto.onSubtitleTrackLoaded = function onSubtitleTrackLoaded(data) { + var _this4 = this; - FragmentTracker.prototype.destroy = function destroy() { - this.fragments = null; - this.timeRanges = null; - this.config = null; - event_handler.prototype.destroy.call(this); - _EventHandler.prototype.destroy.call(this); - }; + var id = data.id, + details = data.details; + var trackId = this.trackId, + tracks = this.tracks; + var currentTrack = tracks[trackId]; - /** - * Return a Fragment that match the position and levelType. - * If not found any Fragment, return null - * @param {number} position - * @param {LevelType} levelType - * @returns {Fragment|null} - */ + if (id >= tracks.length || id !== trackId || !currentTrack || this.stopped) { + this._clearReloadTimer(); + return; + } - FragmentTracker.prototype.getBufferedFrag = function getBufferedFrag(position, levelType) { - var fragments = this.fragments; - var bufferedFrags = Object.keys(fragments).filter(function (key) { - var fragmentEntity = fragments[key]; - if (fragmentEntity.body.type !== levelType) { - return false; - } + logger["logger"].log("subtitle track " + id + " loaded"); - if (!fragmentEntity.buffered) { - return false; - } + if (details.live) { + var reloadInterval = computeReloadInterval(currentTrack.details, details, data.stats.trequest); + logger["logger"].log("Reloading live subtitle playlist in " + reloadInterval + "ms"); + this.timer = setTimeout(function () { + _this4._loadCurrentTrack(); + }, reloadInterval); + } else { + this._clearReloadTimer(); + } + }; - var frag = fragmentEntity.body; - return frag.startPTS <= position && position <= frag.endPTS; - }); - if (bufferedFrags.length === 0) { - return null; - } else { - // https://github.com/video-dev/hls.js/pull/1545#discussion_r166229566 - var bufferedFragKey = bufferedFrags.pop(); - return fragments[bufferedFragKey].body; - } - }; + _proto.startLoad = function startLoad() { + this.stopped = false; - /** - * 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) - * @param {String} elementaryStream The elementaryStream of media this is (eg. video/audio) - * @param {TimeRanges} timeRange TimeRange object from a sourceBuffer - */ + this._loadCurrentTrack(); + }; + _proto.stopLoad = function stopLoad() { + this.stopped = true; - FragmentTracker.prototype.detectEvictedFragments = function detectEvictedFragments(elementaryStream, timeRange) { - var _this2 = this; - - var fragmentTimes = void 0, - time = void 0; - // Check if any flagged fragments have been unloaded - Object.keys(this.fragments).forEach(function (key) { - var fragmentEntity = _this2.fragments[key]; - if (fragmentEntity.buffered === true) { - var esData = fragmentEntity.range[elementaryStream]; - if (esData) { - fragmentTimes = esData.time; - for (var i = 0; i < fragmentTimes.length; i++) { - time = fragmentTimes[i]; - - if (_this2.isTimeBuffered(time.startPTS, time.endPTS, timeRange) === false) { - // Unregister partial fragment as it needs to load again to be reused - _this2.removeFragment(fragmentEntity.body); - break; - } - } + this._clearReloadTimer(); } - } - }); - }; + /** get alternate subtitle tracks list from playlist **/ + ; - /** - * Checks if the fragment passed in is loaded in the buffer properly - * Partially loaded fragments will be registered as a partial fragment - * @param {Object} fragment Check the fragment against all sourceBuffers loaded - */ + _proto._clearReloadTimer = function _clearReloadTimer() { + if (this.timer) { + clearTimeout(this.timer); + this.timer = null; + } + }; + _proto._loadCurrentTrack = function _loadCurrentTrack() { + var trackId = this.trackId, + tracks = this.tracks, + hls = this.hls; + var currentTrack = tracks[trackId]; - FragmentTracker.prototype.detectPartialFragments = function detectPartialFragments(fragment) { - var _this3 = this; - - var fragKey = this.getFragmentKey(fragment); - var fragmentEntity = this.fragments[fragKey]; - if (fragmentEntity) { - fragmentEntity.buffered = true; + if (trackId < 0 || !currentTrack || currentTrack.details && !currentTrack.details.live) { + return; + } - Object.keys(this.timeRanges).forEach(function (elementaryStream) { - if (fragment.hasElementaryStream(elementaryStream)) { - var timeRange = _this3.timeRanges[elementaryStream]; - // Check for malformed fragments - // Gaps need to be calculated for each elementaryStream - fragmentEntity.range[elementaryStream] = _this3.getBufferedTimes(fragment.startPTS, fragment.endPTS, timeRange); + logger["logger"].log("Loading subtitle track " + trackId); + hls.trigger(events["default"].SUBTITLE_TRACK_LOADING, { + url: currentTrack.url, + id: trackId + }); } - }); - } - }; - - FragmentTracker.prototype.getBufferedTimes = function getBufferedTimes(startPTS, endPTS, timeRange) { - var fragmentTimes = []; - var startTime = void 0, - endTime = void 0; - var fragmentPartial = false; - 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) { - // Fragment is entirely contained in buffer - // No need to check the other timeRange times since it's completely playable - fragmentTimes.push({ - startPTS: Math.max(startPTS, timeRange.start(i)), - endPTS: Math.min(endPTS, timeRange.end(i)) - }); - break; - } else if (startPTS < endTime && endPTS > startTime) { - // Check for intersection with buffer - // Get playable sections of the fragment - fragmentTimes.push({ - startPTS: Math.max(startPTS, timeRange.start(i)), - endPTS: Math.min(endPTS, timeRange.end(i)) - }); - fragmentPartial = true; - } else if (endPTS <= startTime) { - // No need to check the rest of the timeRange as it is in order - break; - } - } + /** + * Disables the old subtitleTrack and sets current mode on the next subtitleTrack. + * This operates on the DOM textTracks. + * A value of -1 will disable all subtitle tracks. + * @param newId - The id of the next track to enable + * @private + */ + ; + + _proto._toggleTrackModes = function _toggleTrackModes(newId) { + var media = this.media, + subtitleDisplay = this.subtitleDisplay, + trackId = this.trackId; + + if (!media) { + return; + } - return { - time: fragmentTimes, - partial: fragmentPartial - }; - }; + var textTracks = filterSubtitleTracks(media.textTracks); - FragmentTracker.prototype.getFragmentKey = function getFragmentKey(fragment) { - return fragment.type + '_' + fragment.level + '_' + fragment.urlId + '_' + fragment.sn; - }; + if (newId === -1) { + [].slice.call(textTracks).forEach(function (track) { + track.mode = 'disabled'; + }); + } else { + var oldTrack = textTracks[trackId]; - /** - * Gets the partial fragment for a certain time - * @param {Number} time - * @returns {Object} fragment Returns a partial fragment at a time or null if there is no partial fragment - */ + if (oldTrack) { + oldTrack.mode = 'disabled'; + } + } + var nextTrack = textTracks[newId]; - FragmentTracker.prototype.getPartialFragment = function getPartialFragment(time) { - var _this4 = this; - - var timePadding = void 0, - startTime = void 0, - endTime = void 0; - var bestFragment = null; - var bestOverlap = 0; - Object.keys(this.fragments).forEach(function (key) { - var fragmentEntity = _this4.fragments[key]; - if (_this4.isPartial(fragmentEntity)) { - startTime = fragmentEntity.body.startPTS - _this4.bufferPadding; - endTime = fragmentEntity.body.endPTS + _this4.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; + if (nextTrack) { + nextTrack.mode = subtitleDisplay ? 'showing' : 'hidden'; } } - } - }); - return bestFragment; - }; + /** + * This method is responsible for validating the subtitle index and periodically reloading if live. + * Dispatches the SUBTITLE_TRACK_SWITCH event, which instructs the subtitle-stream-controller to load the selected track. + * @param newId - The id of the subtitle track to activate. + */ + ; + + _proto._setSubtitleTrackInternal = function _setSubtitleTrackInternal(newId) { + var hls = this.hls, + tracks = this.tracks; + + if (!Object(number_isFinite["isFiniteNumber"])(newId) || newId < -1 || newId >= tracks.length) { + return; + } - /** - * @param {Object} fragment The fragment to check - * @returns {String} Returns the fragment state when a fragment never loaded or if it partially loaded - */ + this.trackId = newId; + logger["logger"].log("Switching to subtitle track " + newId); + hls.trigger(events["default"].SUBTITLE_TRACK_SWITCH, { + id: newId + }); + this._loadCurrentTrack(); + }; - FragmentTracker.prototype.getState = function getState(fragment) { - var fragKey = this.getFragmentKey(fragment); - var fragmentEntity = this.fragments[fragKey]; - var state = FragmentState.NOT_LOADED; + _proto._onTextTracksChanged = function _onTextTracksChanged() { + // Media is undefined when switching streams via loadSource() + if (!this.media) { + return; + } - if (fragmentEntity !== undefined) { - if (!fragmentEntity.buffered) { - state = FragmentState.APPENDING; - } else if (this.isPartial(fragmentEntity) === true) { - state = FragmentState.PARTIAL; - } else { - state = FragmentState.OK; - } - } + var trackId = -1; + var tracks = filterSubtitleTracks(this.media.textTracks); - return state; - }; + for (var id = 0; id < tracks.length; id++) { + if (tracks[id].mode === 'hidden') { + // Do not break in case there is a following track with showing. + trackId = id; + } else if (tracks[id].mode === 'showing') { + trackId = id; + break; + } + } // Setting current subtitleTrack will invoke code. - FragmentTracker.prototype.isPartial = function isPartial(fragmentEntity) { - return fragmentEntity.buffered === true && (fragmentEntity.range.video !== undefined && fragmentEntity.range.video.partial === true || fragmentEntity.range.audio !== undefined && fragmentEntity.range.audio.partial === true); - }; - FragmentTracker.prototype.isTimeBuffered = function isTimeBuffered(startPTS, endPTS, timeRange) { - var startTime = void 0, - endTime = void 0; - 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; - } + this.subtitleTrack = trackId; + }; - if (endPTS <= startTime) { - // No need to check the rest of the timeRange as it is in order - return false; - } - } + subtitle_track_controller_createClass(SubtitleTrackController, [{ + key: "subtitleTracks", + get: function get() { + return this.tracks; + } + /** get index of the selected subtitle track (index in subtitle track lists) **/ - return false; - }; + }, { + key: "subtitleTrack", + get: function get() { + return this.trackId; + } + /** select a subtitle track, based on its index in subtitle track lists**/ + , + set: function set(subtitleTrackId) { + if (this.trackId !== subtitleTrackId) { + this._toggleTrackModes(subtitleTrackId); - /** - * Fires when a fragment loading is completed - */ + this._setSubtitleTrackInternal(subtitleTrackId); + } + } + }]); + return SubtitleTrackController; + }(event_handler); - FragmentTracker.prototype.onFragLoaded = function onFragLoaded(e) { - var fragment = e.frag; - // don't track initsegment (for which sn is not a number) - // don't track frags used for bitrateTest, they're irrelevant. - if (Object(number_isFinite["a" /* isFiniteNumber */])(fragment.sn) && !fragment.bitrateTest) { - this.fragments[this.getFragmentKey(fragment)] = { - body: fragment, - range: Object.create(null), - buffered: false - }; - } - }; + function filterSubtitleTracks(textTrackList) { + var tracks = []; - /** - * Fires when the buffer is updated - */ + for (var i = 0; i < textTrackList.length; i++) { + var track = textTrackList[i]; // Edge adds a track without a label; we don't want to use it + if (track.kind === 'subtitles' && track.label) { + tracks.push(textTrackList[i]); + } + } - FragmentTracker.prototype.onBufferAppended = function onBufferAppended(e) { - var _this5 = this; + return tracks; + } - // Store the latest timeRanges loaded in the buffer - this.timeRanges = e.timeRanges; - Object.keys(this.timeRanges).forEach(function (elementaryStream) { - var timeRange = _this5.timeRanges[elementaryStream]; - _this5.detectEvictedFragments(elementaryStream, timeRange); - }); - }; + /* harmony default export */ var subtitle_track_controller = (subtitle_track_controller_SubtitleTrackController); +// EXTERNAL MODULE: ./src/crypt/decrypter.js + 3 modules + var decrypter = __webpack_require__("./src/crypt/decrypter.js"); - /** - * Fires after a fragment has been loaded into the source buffer - */ +// CONCATENATED MODULE: ./src/controller/subtitle-stream-controller.js + function subtitle_stream_controller_assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return self; } + function subtitle_stream_controller_inheritsLoose(subClass, superClass) { subClass.prototype = Object.create(superClass.prototype); subClass.prototype.constructor = subClass; subClass.__proto__ = superClass; } - FragmentTracker.prototype.onFragBuffered = function onFragBuffered(e) { - this.detectPartialFragments(e.frag); - }; + /** + * @class SubtitleStreamController + */ - /** - * Return true if fragment tracker has the fragment. - * @param {Object} fragment - * @returns {boolean} - */ - FragmentTracker.prototype.hasFragment = function hasFragment(fragment) { - var fragKey = this.getFragmentKey(fragment); - return this.fragments[fragKey] !== undefined; - }; - /** - * Remove a fragment from fragment tracker until it is loaded again - * @param {Object} fragment The fragment to remove - */ - FragmentTracker.prototype.removeFragment = function removeFragment(fragment) { - var fragKey = this.getFragmentKey(fragment); - delete this.fragments[fragKey]; - }; - /** - * Remove all fragments from fragment tracker. - */ + var subtitle_stream_controller_window = window, + subtitle_stream_controller_performance = subtitle_stream_controller_window.performance; + var subtitle_stream_controller_TICK_INTERVAL = 500; // how often to tick in ms - FragmentTracker.prototype.removeAllFragments = function removeAllFragments() { - this.fragments = Object.create(null); - }; + var subtitle_stream_controller_SubtitleStreamController = + /*#__PURE__*/ + function (_BaseStreamController) { + subtitle_stream_controller_inheritsLoose(SubtitleStreamController, _BaseStreamController); - return FragmentTracker; - }(event_handler); -// CONCATENATED MODULE: ./src/utils/binary-search.js - 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} list The array to search. - * @param {Function} comparisonFunction - * 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 {*} The object if it is found or null otherwise. - */ - search: function search(list, comparisonFunction) { - 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 = comparisonFunction(currentElement); - if (comparisonResult > 0) { - minIndex = currentIndex + 1; - } else if (comparisonResult < 0) { - maxIndex = currentIndex - 1; - } else { - return currentElement; - } - } + function SubtitleStreamController(hls, fragmentTracker) { + var _this; - return null; - } - }; + _this = _BaseStreamController.call(this, hls, events["default"].MEDIA_ATTACHED, events["default"].MEDIA_DETACHING, events["default"].ERROR, events["default"].KEY_LOADED, events["default"].FRAG_LOADED, events["default"].SUBTITLE_TRACKS_UPDATED, events["default"].SUBTITLE_TRACK_SWITCH, events["default"].SUBTITLE_TRACK_LOADED, events["default"].SUBTITLE_FRAG_PROCESSED, events["default"].LEVEL_UPDATED) || this; + _this.fragmentTracker = fragmentTracker; + _this.config = hls.config; + _this.state = State.STOPPED; + _this.tracks = []; + _this.tracksBuffered = []; + _this.currentTrackId = -1; + _this.decrypter = new decrypter["default"](hls, hls.config); // lastAVStart stores the time in seconds for the start time of a level load - /* harmony default export */ var binary_search = (BinarySearch); -// CONCATENATED MODULE: ./src/utils/buffer-helper.js - function buffer_helper__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + _this.lastAVStart = 0; + _this._onMediaSeeking = _this.onMediaSeeking.bind(subtitle_stream_controller_assertThisInitialized(_this)); + return _this; + } - /** - * @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 _proto = SubtitleStreamController.prototype; - var BufferHelper = function () { - function BufferHelper() { - buffer_helper__classCallCheck(this, BufferHelper); - } + _proto.onSubtitleFragProcessed = function onSubtitleFragProcessed(data) { + var frag = data.frag, + success = data.success; + this.fragPrevious = frag; + this.state = State.IDLE; - /** - * Return true if `media`'s buffered include `position` - * @param {HTMLMediaElement|SourceBuffer} media - * @param {number} position - * @returns {boolean} - */ - BufferHelper.isBuffered = function isBuffered(media, position) { - try { - if (media) { - var buffered = media.buffered; - for (var i = 0; i < buffered.length; i++) { - if (position >= buffered.start(i) && position <= buffered.end(i)) { - return true; + if (!success) { + return; } - } - } - } 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 = media.buffered, - buffered = [], - i = void 0; - for (i = 0; i < vbuffered.length; i++) { - buffered.push({ start: vbuffered.start(i), end: vbuffered.end(i) }); - } + var buffered = this.tracksBuffered[this.currentTrackId]; - 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 }; - }; + if (!buffered) { + return; + } // Create/update a buffered array matching the interface used by BufferHelper.bufferedInfo + // so we can re-use the logic used to detect how much have been buffered - BufferHelper.bufferedInfo = function bufferedInfo(buffered, pos, maxHoleDuration) { - var buffered2 = [], - - // bufferStart and bufferEnd are buffer boundaries around current video position - bufferLen = void 0, - bufferStart = void 0, - bufferEnd = void 0, - bufferStartNext = void 0, - i = void 0; - // 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; - } - }); - // 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 (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]); - } - } - for (i = 0, bufferLen = 0, bufferStart = bufferEnd = pos; i < buffered2.length; i++) { - var start = buffered2[i].start, - 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, end: bufferEnd, nextStart: bufferStartNext }; - }; - return BufferHelper; - }(); -// EXTERNAL MODULE: ./node_modules/events/events.js - var events_events = __webpack_require__(7); - var events_default = /*#__PURE__*/__webpack_require__.n(events_events); + var timeRange; + var fragStart = frag.start; -// EXTERNAL MODULE: ./node_modules/webworkify-webpack/index.js - var webworkify_webpack = __webpack_require__(12); - var webworkify_webpack_default = /*#__PURE__*/__webpack_require__.n(webworkify_webpack); + for (var i = 0; i < buffered.length; i++) { + if (fragStart >= buffered[i].start && fragStart <= buffered[i].end) { + timeRange = buffered[i]; + break; + } + } -// EXTERNAL MODULE: ./src/demux/demuxer-inline.js + 11 modules - var demuxer_inline = __webpack_require__(10); + var fragEnd = frag.start + frag.duration; -// CONCATENATED MODULE: ./src/utils/mediasource-helper.js - /** - * MediaSource helper - */ + if (timeRange) { + timeRange.end = fragEnd; + } else { + timeRange = { + start: fragStart, + end: fragEnd + }; + buffered.push(timeRange); + } + }; - function getMediaSource() { - if (typeof window !== 'undefined') { - return window.MediaSource || window.WebKitMediaSource; - } - } -// EXTERNAL MODULE: ./src/utils/get-self-scope.js - var get_self_scope = __webpack_require__(4); + _proto.onMediaAttached = function onMediaAttached(_ref) { + var media = _ref.media; + this.media = media; + media.addEventListener('seeking', this._onMediaSeeking); + this.state = State.IDLE; + }; -// CONCATENATED MODULE: ./src/demux/demuxer.js + _proto.onMediaDetaching = function onMediaDetaching() { + var _this2 = this; + if (!this.media) { + return; + } - function demuxer__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + this.media.removeEventListener('seeking', this._onMediaSeeking); + this.fragmentTracker.removeAllFragments(); + this.currentTrackId = -1; + this.tracks.forEach(function (track) { + _this2.tracksBuffered[track.id] = []; + }); + this.media = null; + this.state = State.STOPPED; + } // If something goes wrong, proceed to next frag, if we were processing one. + ; + _proto.onError = function onError(data) { + var frag = data.frag; // don't handle error not related to subtitle fragment + if (!frag || frag.type !== 'subtitle') { + return; + } + this.state = State.IDLE; + } // Got all new subtitle tracks. + ; + _proto.onSubtitleTracksUpdated = function onSubtitleTracksUpdated(data) { + var _this3 = this; + logger["logger"].log('subtitle tracks updated'); + this.tracksBuffered = []; + this.tracks = data.subtitleTracks; + this.tracks.forEach(function (track) { + _this3.tracksBuffered[track.id] = []; + }); + }; + _proto.onSubtitleTrackSwitch = function onSubtitleTrackSwitch(data) { + this.currentTrackId = data.id; + if (!this.tracks || !this.tracks.length || this.currentTrackId === -1) { + this.clearInterval(); + return; + } // Check if track has the necessary details to load fragments + var currentTrack = this.tracks[this.currentTrackId]; + if (currentTrack && currentTrack.details) { + this.setInterval(subtitle_stream_controller_TICK_INTERVAL); + } + } // Got a new set of subtitle fragments. + ; -// see https://stackoverflow.com/a/11237259/589493 - var global = Object(get_self_scope["a" /* getSelfScope */])(); // safeguard for code that might run both on worker and main thread - var MediaSource = getMediaSource(); + _proto.onSubtitleTrackLoaded = function onSubtitleTrackLoaded(data) { + var id = data.id, + details = data.details; + var currentTrackId = this.currentTrackId, + tracks = this.tracks; + var currentTrack = tracks[currentTrackId]; - var demuxer_Demuxer = function () { - function Demuxer(hls, id) { - demuxer__classCallCheck(this, Demuxer); + if (id >= tracks.length || id !== currentTrackId || !currentTrack) { + return; + } - this.hls = hls; - this.id = id; - // observer setup - var observer = this.observer = new events_default.a(); - var config = hls.config; - observer.trigger = function trigger(event) { - for (var _len = arguments.length, data = Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) { - data[_key - 1] = arguments[_key]; - } + if (details.live) { + mergeSubtitlePlaylists(currentTrack.details, details, this.lastAVStart); + } - observer.emit.apply(observer, [event, event].concat(data)); - }; + currentTrack.details = details; + this.setInterval(subtitle_stream_controller_TICK_INTERVAL); + }; - observer.off = function off(event) { - for (var _len2 = arguments.length, data = Array(_len2 > 1 ? _len2 - 1 : 0), _key2 = 1; _key2 < _len2; _key2++) { - data[_key2 - 1] = arguments[_key2]; - } + _proto.onKeyLoaded = function onKeyLoaded() { + if (this.state === State.KEY_LOADING) { + this.state = State.IDLE; + } + }; - observer.removeListener.apply(observer, [event].concat(data)); - }; + _proto.onFragLoaded = function onFragLoaded(data) { + var fragCurrent = this.fragCurrent; + var decryptData = data.frag.decryptdata; + var fragLoaded = data.frag; + var hls = this.hls; + + if (this.state === State.FRAG_LOADING && fragCurrent && data.frag.type === 'subtitle' && fragCurrent.sn === data.frag.sn) { + // check to see if the payload needs to be decrypted + if (data.payload.byteLength > 0 && decryptData && decryptData.key && decryptData.method === 'AES-128') { + var startTime = subtitle_stream_controller_performance.now(); // decrypt the subtitles + + this.decrypter.decrypt(data.payload, decryptData.key.buffer, decryptData.iv.buffer, function (decryptedData) { + var endTime = subtitle_stream_controller_performance.now(); + hls.trigger(events["default"].FRAG_DECRYPTED, { + frag: fragLoaded, + payload: decryptedData, + stats: { + tstart: startTime, + tdecrypt: endTime + } + }); + }); + } + } + }; - var forwardMessage = function (ev, data) { - data = data || {}; - data.frag = this.frag; - data.id = this.id; - hls.trigger(ev, data); - }.bind(this); - - // forward events to main thread - observer.on(events["a" /* default */].FRAG_DECRYPTED, forwardMessage); - observer.on(events["a" /* default */].FRAG_PARSING_INIT_SEGMENT, forwardMessage); - observer.on(events["a" /* default */].FRAG_PARSING_DATA, forwardMessage); - observer.on(events["a" /* default */].FRAG_PARSED, forwardMessage); - observer.on(events["a" /* default */].ERROR, forwardMessage); - observer.on(events["a" /* default */].FRAG_PARSING_METADATA, forwardMessage); - observer.on(events["a" /* default */].FRAG_PARSING_USERDATA, forwardMessage); - observer.on(events["a" /* default */].INIT_PTS_FOUND, 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') { - logger["b" /* logger */].log('demuxing in webworker'); - var w = void 0; - try { - w = this.w = webworkify_webpack_default()(/*require.resolve*/(13)); - this.onwmsg = this.onWorkerMessage.bind(this); - w.addEventListener('message', this.onwmsg); - w.onerror = function (event) { - hls.trigger(events["a" /* default */].ERROR, { type: errors["b" /* ErrorTypes */].OTHER_ERROR, details: errors["a" /* ErrorDetails */].INTERNAL_EXCEPTION, fatal: true, event: 'demuxerWorker', err: { message: event.message + ' (' + event.filename + ':' + event.lineno + ')' } }); + _proto.onLevelUpdated = function onLevelUpdated(_ref2) { + var details = _ref2.details; + var frags = details.fragments; + this.lastAVStart = frags.length ? frags[0].start : 0; }; - w.postMessage({ cmd: 'init', typeSupported: typeSupported, vendor: vendor, id: id, config: JSON.stringify(config) }); - } catch (err) { - logger["b" /* logger */].error('error while initializing DemuxerWorker, fallback on DemuxerInline'); - if (w) { - // revoke the Object URL that was used to create demuxer worker, so as not to leak it - global.URL.revokeObjectURL(w.objectURL); - } - this.demuxer = new demuxer_inline["a" /* default */](observer, typeSupported, config, vendor); - this.w = undefined; - } - } else { - this.demuxer = new demuxer_inline["a" /* default */](observer, typeSupported, config, vendor); - } - } - Demuxer.prototype.destroy = function destroy() { - var w = this.w; - if (w) { - w.removeEventListener('message', this.onwmsg); - w.terminate(); - this.w = null; - } else { - var demuxer = this.demuxer; - if (demuxer) { - demuxer.destroy(); - this.demuxer = null; - } - } - var observer = this.observer; - if (observer) { - observer.removeAllListeners(); - this.observer = null; - } - }; + _proto.doTick = function doTick() { + if (!this.media) { + this.state = State.IDLE; + return; + } - Demuxer.prototype.push = function push(data, initSegment, audioCodec, videoCodec, frag, duration, accurateTimeOffset, defaultInitPTS) { - var w = this.w; - var timeOffset = Object(number_isFinite["a" /* isFiniteNumber */])(frag.startDTS) ? frag.startDTS : frag.start; - var decryptdata = frag.decryptdata; - var lastFrag = this.frag; - var discontinuity = !(lastFrag && frag.cc === lastFrag.cc); - var trackSwitch = !(lastFrag && frag.level === lastFrag.level); - var nextSN = lastFrag && frag.sn === lastFrag.sn + 1; - var contiguous = !trackSwitch && nextSN; - if (discontinuity) { - logger["b" /* logger */].log(this.id + ':discontinuity detected'); - } + switch (this.state) { + case State.IDLE: + { + var config = this.config, + currentTrackId = this.currentTrackId, + fragmentTracker = this.fragmentTracker, + media = this.media, + tracks = this.tracks; + + if (!tracks || !tracks[currentTrackId] || !tracks[currentTrackId].details) { + break; + } - if (trackSwitch) { - logger["b" /* logger */].log(this.id + ':switch detected'); - } + var maxBufferHole = config.maxBufferHole, + maxFragLookUpTolerance = config.maxFragLookUpTolerance; + var maxConfigBuffer = Math.min(config.maxBufferLength, config.maxMaxBufferLength); + var bufferedInfo = BufferHelper.bufferedInfo(this._getBuffered(), media.currentTime, maxBufferHole); + var bufferEnd = bufferedInfo.end, + bufferLen = bufferedInfo.len; + var trackDetails = tracks[currentTrackId].details; + var fragments = trackDetails.fragments; + var fragLen = fragments.length; + var end = fragments[fragLen - 1].start + fragments[fragLen - 1].duration; + + if (bufferLen > maxConfigBuffer) { + return; + } - this.frag = frag; - if (w) { - // post fragment payload as transferable objects for ArrayBuffer (no copy) - w.postMessage({ cmd: 'demux', data: data, decryptdata: decryptdata, initSegment: initSegment, audioCodec: audioCodec, videoCodec: videoCodec, timeOffset: timeOffset, discontinuity: discontinuity, trackSwitch: trackSwitch, contiguous: contiguous, duration: duration, accurateTimeOffset: accurateTimeOffset, defaultInitPTS: defaultInitPTS }, data instanceof ArrayBuffer ? [data] : []); - } else { - var demuxer = this.demuxer; - if (demuxer) { - demuxer.push(data, decryptdata, initSegment, audioCodec, videoCodec, timeOffset, discontinuity, trackSwitch, contiguous, duration, accurateTimeOffset, defaultInitPTS); - } - } - }; + var foundFrag; + var fragPrevious = this.fragPrevious; - Demuxer.prototype.onWorkerMessage = function onWorkerMessage(ev) { - var data = ev.data, - hls = this.hls; - switch (data.event) { - case 'init': - // revoke the Object URL that was used to create demuxer worker, so as not to leak it - global.URL.revokeObjectURL(this.w.objectURL); - break; - // special case for FRAG_PARSING_DATA: data1 and data2 are transferable objects - case events["a" /* default */].FRAG_PARSING_DATA: - data.data.data1 = new Uint8Array(data.data1); - if (data.data2) { - data.data.data2 = new Uint8Array(data.data2); - } + if (bufferEnd < end) { + if (fragPrevious && trackDetails.hasProgramDateTime) { + foundFrag = findFragmentByPDT(fragments, fragPrevious.endProgramDateTime, maxFragLookUpTolerance); + } - /* falls through */ - default: - data.data = data.data || {}; - data.data.frag = this.frag; - data.data.id = this.id; - hls.trigger(data.event, data.data); - break; - } - }; + if (!foundFrag) { + foundFrag = findFragmentByPTS(fragPrevious, fragments, bufferEnd, maxFragLookUpTolerance); + } + } else { + foundFrag = fragments[fragLen - 1]; + } - return Demuxer; - }(); + if (foundFrag && foundFrag.encrypted) { + logger["logger"].log("Loading key for " + foundFrag.sn); + this.state = State.KEY_LOADING; + this.hls.trigger(events["default"].KEY_LOADING, { + frag: foundFrag + }); + } else if (foundFrag && fragmentTracker.getState(foundFrag) === FragmentState.NOT_LOADED) { + // only load if fragment is not loaded + this.fragCurrent = foundFrag; + this.state = State.FRAG_LOADING; + this.hls.trigger(events["default"].FRAG_LOADING, { + frag: foundFrag + }); + } + } + } + }; - /* harmony default export */ var demux_demuxer = (demuxer_Demuxer); -// CONCATENATED MODULE: ./src/controller/level-helper.js + _proto.stopLoad = function stopLoad() { + this.lastAVStart = 0; - /** - * @module LevelHelper - * - * Providing methods dealing with playlist sliding and drift - * - * TODO: Create an actual `Level` class/model that deals with all this logic in an object-oriented-manner. - * - * */ + _BaseStreamController.prototype.stopLoad.call(this); + }; + _proto._getBuffered = function _getBuffered() { + return this.tracksBuffered[this.currentTrackId] || []; + }; + _proto.onMediaSeeking = function onMediaSeeking() { + this.fragPrevious = null; + }; - 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; - } - } + return SubtitleStreamController; + }(base_stream_controller_BaseStreamController); +// CONCATENATED MODULE: ./src/utils/mediakeys-helper.ts + /** + * @see https://developer.mozilla.org/en-US/docs/Web/API/Navigator/requestMediaKeySystemAccess + */ + var KeySystems; - function updatePTS(fragments, fromIdx, toIdx) { - var fragFrom = fragments[fromIdx], - fragTo = fragments[toIdx], - fragToPTS = fragTo.startPTS; - // if we know startPTS[toIdx] - if (Object(number_isFinite["a" /* isFiniteNumber */])(fragToPTS)) { - // update fragment duration. - // it helps to fix drifts between playlist reported duration and fragment real duration - if (toIdx > fromIdx) { - fragFrom.duration = fragToPTS - fragFrom.start; - if (fragFrom.duration < 0) { - logger["b" /* logger */].warn('negative duration computed for frag ' + fragFrom.sn + ',level ' + fragFrom.level + ', there should be some duration drift between playlist and fragment!'); - } - } else { - fragTo.duration = fragFrom.start - fragToPTS; - if (fragTo.duration < 0) { - logger["b" /* logger */].warn('negative duration computed for frag ' + fragTo.sn + ',level ' + fragTo.level + ', there should be some duration drift between playlist and fragment!'); + (function (KeySystems) { + KeySystems["WIDEVINE"] = "com.widevine.alpha"; + KeySystems["PLAYREADY"] = "com.microsoft.playready"; + })(KeySystems || (KeySystems = {})); + + var requestMediaKeySystemAccess = function () { + if (typeof window !== 'undefined' && window.navigator && window.navigator.requestMediaKeySystemAccess) { + return window.navigator.requestMediaKeySystemAccess.bind(window.navigator); + } else { + return null; } - } - } else { - // we dont know startPTS[toIdx] - if (toIdx > fromIdx) { - fragTo.start = fragFrom.start + fragFrom.duration; - } else { - fragTo.start = Math.max(fragFrom.start - fragTo.duration, 0); - } - } - } + }(); - function updateFragPTSDTS(details, frag, startPTS, endPTS, startDTS, endDTS) { - // update frag PTS/DTS - var maxStartPTS = startPTS; - if (Object(number_isFinite["a" /* isFiniteNumber */])(frag.startPTS)) { - // delta PTS between audio and video - var deltaPTS = Math.abs(frag.startPTS - startPTS); - if (!Object(number_isFinite["a" /* isFiniteNumber */])(frag.deltaPTS)) { - frag.deltaPTS = deltaPTS; - } else { - frag.deltaPTS = Math.max(deltaPTS, frag.deltaPTS); - } - maxStartPTS = Math.max(startPTS, frag.startPTS); - startPTS = Math.min(startPTS, frag.startPTS); - endPTS = Math.max(endPTS, frag.endPTS); - startDTS = Math.min(startDTS, frag.startDTS); - endDTS = Math.max(endDTS, frag.endDTS); - } +// CONCATENATED MODULE: ./src/controller/eme-controller.ts + function eme_controller_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); } } - var drift = startPTS - frag.start; - frag.start = frag.startPTS = startPTS; - frag.maxStartPTS = maxStartPTS; - frag.endPTS = endPTS; - frag.startDTS = startDTS; - frag.endDTS = endDTS; - frag.duration = endPTS - startPTS; - - var sn = frag.sn; - // exit if sn out of range - if (!details || sn < details.startSN || sn > details.endSN) { - return 0; - } + function eme_controller_createClass(Constructor, protoProps, staticProps) { if (protoProps) eme_controller_defineProperties(Constructor.prototype, protoProps); if (staticProps) eme_controller_defineProperties(Constructor, staticProps); return Constructor; } - var fragIdx = void 0, - fragments = void 0, - i = void 0; - fragIdx = sn - details.startSN; - 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--) { - updatePTS(fragments, i, i - 1); - } + function eme_controller_inheritsLoose(subClass, superClass) { subClass.prototype = Object.create(superClass.prototype); subClass.prototype.constructor = subClass; subClass.__proto__ = superClass; } - // adjust fragment PTS/duration from seqnum to last frag - for (i = fragIdx; i < fragments.length - 1; i++) { - updatePTS(fragments, i, i + 1); - } + /** + * @author Stephan Hesse <disparat@gmail.com> | <tchakabam@gmail.com> + * + * DRM support for Hls.js + */ - details.PTSKnown = true; - return drift; - } - function mergeDetails(oldDetails, newDetails) { - var start = Math.max(oldDetails.startSN, newDetails.startSN) - newDetails.startSN, - end = Math.min(oldDetails.endSN, newDetails.endSN) - newDetails.startSN, - delta = newDetails.startSN - oldDetails.startSN, - oldfragments = oldDetails.fragments, - newfragments = newDetails.fragments, - ccOffset = 0, - PTSFrag = void 0; - // potentially retrieve cached initsegment - if (newDetails.initSegment && oldDetails.initSegment) { - newDetails.initSegment = oldDetails.initSegment; - } - // check if old/new playlists have fragments in common - if (end < start) { - newDetails.PTSKnown = false; - return; - } - // loop through overlapping SN and update startPTS , cc, and duration if any found - for (var i = start; i <= end; i++) { - var oldFrag = oldfragments[delta + i], - newFrag = newfragments[i]; - if (newFrag && oldFrag) { - ccOffset = oldFrag.cc - newFrag.cc; - if (Object(number_isFinite["a" /* isFiniteNumber */])(oldFrag.startPTS)) { - newFrag.start = newFrag.startPTS = oldFrag.startPTS; - newFrag.endPTS = oldFrag.endPTS; - newFrag.duration = oldFrag.duration; - newFrag.backtracked = oldFrag.backtracked; - newFrag.dropped = oldFrag.dropped; - PTSFrag = newFrag; - } - } - } - if (ccOffset) { - logger["b" /* logger */].log('discontinuity sliding from playlist, take drift into account'); - for (i = 0; i < newfragments.length; i++) { - newfragments[i].cc += ccOffset; - } - } + var MAX_LICENSE_REQUEST_FAILURES = 3; + /** + * @see https://developer.mozilla.org/en-US/docs/Web/API/MediaKeySystemConfiguration + * @param {Array<string>} audioCodecs List of required audio codecs to support + * @param {Array<string>} videoCodecs List of required video codecs to support + * @param {object} drmSystemOptions Optional parameters/requirements for the key-system + * @returns {Array<MediaSystemConfiguration>} An array of supported configurations + */ - // 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 - if (delta >= 0 && delta < oldfragments.length) { - // adjust start by sliding offset - var sliding = oldfragments[delta].start; - for (i = 0; i < newfragments.length; i++) { - newfragments[i].start += sliding; - } - } - } - // if we are here, it means we have fragments overlapping between - // old and new level. reliable PTS info is thus relying on old level - newDetails.PTSKnown = oldDetails.PTSKnown; - } -// CONCATENATED MODULE: ./src/utils/time-ranges.js - /** - * TimeRanges to string helper - */ + var createWidevineMediaKeySystemConfigurations = function createWidevineMediaKeySystemConfigurations(audioCodecs, videoCodecs) { + /* jshint ignore:line */ + var baseConfig = { + // initDataTypes: ['keyids', 'mp4'], + // label: "", + // persistentState: "not-allowed", // or "required" ? + // distinctiveIdentifier: "not-allowed", // or "required" ? + // sessionTypes: ['temporary'], + videoCapabilities: [] // { contentType: 'video/mp4; codecs="avc1.42E01E"' } - var TimeRanges = { - toString: function toString(r) { - var log = '', - len = r.length; - for (var i = 0; i < len; i++) { - log += '[' + r.start(i).toFixed(3) + ',' + r.end(i).toFixed(3) + ']'; - } + }; + videoCodecs.forEach(function (codec) { + baseConfig.videoCapabilities.push({ + contentType: "video/mp4; codecs=\"" + codec + "\"" + }); + }); + return [baseConfig]; + }; + /** + * The idea here is to handle key-system (and their respective platforms) specific configuration differences + * in order to work with the local requestMediaKeySystemAccess method. + * + * We can also rule-out platform-related key-system support at this point by throwing an error. + * + * @param {string} keySystem Identifier for the key-system, see `KeySystems` enum + * @param {Array<string>} audioCodecs List of required audio codecs to support + * @param {Array<string>} videoCodecs List of required video codecs to support + * @throws will throw an error if a unknown key system is passed + * @returns {Array<MediaSystemConfiguration>} A non-empty Array of MediaKeySystemConfiguration objects + */ - return log; - } - }; - /* harmony default export */ var time_ranges = (TimeRanges); -// CONCATENATED MODULE: ./src/utils/discontinuities.js + var eme_controller_getSupportedMediaKeySystemConfigurations = function getSupportedMediaKeySystemConfigurations(keySystem, audioCodecs, videoCodecs) { + switch (keySystem) { + case KeySystems.WIDEVINE: + return createWidevineMediaKeySystemConfigurations(audioCodecs, videoCodecs); + default: + throw new Error("Unknown key-system: " + keySystem); + } + }; + /** + * Controller to deal with encrypted media extensions (EME) + * @see https://developer.mozilla.org/en-US/docs/Web/API/Encrypted_Media_Extensions_API + * + * @class + * @constructor + */ + var eme_controller_EMEController = + /*#__PURE__*/ + function (_EventHandler) { + eme_controller_inheritsLoose(EMEController, _EventHandler); + + /** + * @constructs + * @param {Hls} hls Our Hls.js instance + */ + function EMEController(hls) { + var _this; + + _this = _EventHandler.call(this, hls, events["default"].MEDIA_ATTACHED, events["default"].MEDIA_DETACHED, events["default"].MANIFEST_PARSED) || this; + _this._widevineLicenseUrl = void 0; + _this._licenseXhrSetup = void 0; + _this._emeEnabled = void 0; + _this._requestMediaKeySystemAccess = void 0; + _this._config = void 0; + _this._mediaKeysList = []; + _this._media = null; + _this._hasSetMediaKeys = false; + _this._requestLicenseFailureCount = 0; + + _this._onMediaEncrypted = function (e) { + logger["logger"].log("Media is encrypted using \"" + e.initDataType + "\" init data type"); + + _this._attemptSetMediaKeys(); + + _this._generateRequestWithPreferredKeySession(e.initDataType, e.initData); + }; + _this._config = hls.config; + _this._widevineLicenseUrl = _this._config.widevineLicenseUrl; + _this._licenseXhrSetup = _this._config.licenseXhrSetup; + _this._emeEnabled = _this._config.emeEnabled; + _this._requestMediaKeySystemAccess = _this._config.requestMediaKeySystemAccessFunc; + return _this; + } + /** + * @param {string} keySystem Identifier for the key-system, see `KeySystems` enum + * @returns {string} License server URL for key-system (if any configured, otherwise causes error) + * @throws if a unsupported keysystem is passed + */ - function findFirstFragWithCC(fragments, cc) { - var firstFrag = null; - for (var i = 0; i < fragments.length; i += 1) { - var currentFrag = fragments[i]; - if (currentFrag && currentFrag.cc === cc) { - firstFrag = currentFrag; - break; - } - } + var _proto = EMEController.prototype; - return firstFrag; - } + _proto.getLicenseServerUrl = function getLicenseServerUrl(keySystem) { + switch (keySystem) { + case KeySystems.WIDEVINE: + if (!this._widevineLicenseUrl) { + break; + } - function findFragWithCC(fragments, CC) { - return binary_search.search(fragments, function (candidate) { - if (candidate.cc < CC) { - return 1; - } else if (candidate.cc > CC) { - return -1; - } else { - return 0; - } - }); - } + return this._widevineLicenseUrl; + } - function shouldAlignOnDiscontinuities(lastFrag, lastLevel, details) { - var shouldAlign = false; - if (lastLevel && lastLevel.details && details) { - if (details.endCC > details.startCC || lastFrag && lastFrag.cc < details.startCC) { - shouldAlign = true; - } - } - return shouldAlign; - } + throw new Error("no license server URL configured for key-system \"" + keySystem + "\""); + } + /** + * Requests access object and adds it to our list upon success + * @private + * @param {string} keySystem System ID (see `KeySystems`) + * @param {Array<string>} audioCodecs List of required audio codecs to support + * @param {Array<string>} videoCodecs List of required video codecs to support + * @throws When a unsupported KeySystem is passed + */ + ; + + _proto._attemptKeySystemAccess = function _attemptKeySystemAccess(keySystem, audioCodecs, videoCodecs) { + var _this2 = this; + + // TODO: add other DRM "options" + // This can throw, but is caught in event handler callpath + var mediaKeySystemConfigs = eme_controller_getSupportedMediaKeySystemConfigurations(keySystem, audioCodecs, videoCodecs); + logger["logger"].log('Requesting encrypted media key-system access'); // expecting interface like window.navigator.requestMediaKeySystemAccess + + this.requestMediaKeySystemAccess(keySystem, mediaKeySystemConfigs).then(function (mediaKeySystemAccess) { + _this2._onMediaKeySystemAccessObtained(keySystem, mediaKeySystemAccess); + }).catch(function (err) { + logger["logger"].error("Failed to obtain key-system \"" + keySystem + "\" access:", err); + }); + }; -// 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; + /** + * Handles obtaining access to a key-system + * @private + * @param {string} keySystem + * @param {MediaKeySystemAccess} mediaKeySystemAccess https://developer.mozilla.org/en-US/docs/Web/API/MediaKeySystemAccess + */ + _proto._onMediaKeySystemAccessObtained = function _onMediaKeySystemAccessObtained(keySystem, mediaKeySystemAccess) { + var _this3 = this; + + logger["logger"].log("Access for key-system \"" + keySystem + "\" obtained"); + var mediaKeysListItem = { + mediaKeysSessionInitialized: false, + mediaKeySystemAccess: mediaKeySystemAccess, + mediaKeySystemDomain: keySystem + }; - if (!curFrags.length || !prevFrags.length) { - logger["b" /* logger */].log('No fragments to align'); - return; - } + this._mediaKeysList.push(mediaKeysListItem); - var prevStartFrag = findFirstFragWithCC(prevFrags, curFrags[0].cc); + mediaKeySystemAccess.createMediaKeys().then(function (mediaKeys) { + mediaKeysListItem.mediaKeys = mediaKeys; + logger["logger"].log("Media-keys created for key-system \"" + keySystem + "\""); - if (!prevStartFrag || prevStartFrag && !prevStartFrag.startPTS) { - logger["b" /* logger */].log('No frag in previous level to align on'); - return; - } + _this3._onMediaKeysCreated(); + }).catch(function (err) { + logger["logger"].error('Failed to create media-keys:', err); + }); + } + /** + * Handles key-creation (represents access to CDM). We are going to create key-sessions upon this + * for all existing keys where no session exists yet. + * + * @private + */ + ; + + _proto._onMediaKeysCreated = function _onMediaKeysCreated() { + var _this4 = this; + + // check for all key-list items if a session exists, otherwise, create one + this._mediaKeysList.forEach(function (mediaKeysListItem) { + if (!mediaKeysListItem.mediaKeysSession) { + // mediaKeys is definitely initialized here + mediaKeysListItem.mediaKeysSession = mediaKeysListItem.mediaKeys.createSession(); + + _this4._onNewMediaKeySession(mediaKeysListItem.mediaKeysSession); + } + }); + } + /** + * @private + * @param {*} keySession + */ + ; + + _proto._onNewMediaKeySession = function _onNewMediaKeySession(keySession) { + var _this5 = this; + + logger["logger"].log("New key-system session " + keySession.sessionId); + keySession.addEventListener('message', function (event) { + _this5._onKeySessionMessage(keySession, event.message); + }, false); + } + /** + * @private + * @param {MediaKeySession} keySession + * @param {ArrayBuffer} message + */ + ; + + _proto._onKeySessionMessage = function _onKeySessionMessage(keySession, message) { + logger["logger"].log('Got EME message event, creating license request'); + + this._requestLicense(message, function (data) { + logger["logger"].log("Received license data (length: " + (data ? data.byteLength : data) + "), updating key-session"); + keySession.update(data); + }); + } + /** + * @private + * @param {string} initDataType + * @param {ArrayBuffer|null} initData + */ + ; + + /** + * @private + */ + _proto._attemptSetMediaKeys = function _attemptSetMediaKeys() { + if (!this._media) { + throw new Error('Attempted to set mediaKeys without first attaching a media element'); + } - return prevStartFrag; - } + if (!this._hasSetMediaKeys) { + // FIXME: see if we can/want/need-to really to deal with several potential key-sessions? + var keysListItem = this._mediaKeysList[0]; + + if (!keysListItem || !keysListItem.mediaKeys) { + logger["logger"].error('Fatal: Media is encrypted but no CDM access or no keys have been obtained yet'); + this.hls.trigger(events["default"].ERROR, { + type: errors["ErrorTypes"].KEY_SYSTEM_ERROR, + details: errors["ErrorDetails"].KEY_SYSTEM_NO_KEYS, + fatal: true + }); + return; + } - function adjustPts(sliding, details) { - details.fragments.forEach(function (frag) { - if (frag) { - var start = frag.start + sliding; - frag.start = frag.startPTS = start; - frag.endPTS = start + frag.duration; - } - }); - details.PTSKnown = true; - } + logger["logger"].log('Setting keys for encrypted media'); - /** - * 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) { - alignDiscontinuities(lastFrag, details, lastLevel); - if (!details.PTSKnown && lastLevel) { - // 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); - } - } + this._media.setMediaKeys(keysListItem.mediaKeys); - /** - * 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 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) { - logger["b" /* logger */].log('Adjusting PTS using last level due to CC increase within current level'); - adjustPts(referenceFrag.start, details); - } - } - } + this._hasSetMediaKeys = true; + } + } + /** + * @private + */ + ; + + _proto._generateRequestWithPreferredKeySession = function _generateRequestWithPreferredKeySession(initDataType, initData) { + var _this6 = this; + + // FIXME: see if we can/want/need-to really to deal with several potential key-sessions? + var keysListItem = this._mediaKeysList[0]; + + if (!keysListItem) { + logger["logger"].error('Fatal: Media is encrypted but not any key-system access has been obtained yet'); + this.hls.trigger(events["default"].ERROR, { + type: errors["ErrorTypes"].KEY_SYSTEM_ERROR, + details: errors["ErrorDetails"].KEY_SYSTEM_NO_ACCESS, + fatal: true + }); + return; + } - /** - * 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) { - if (lastDetails && lastDetails.fragments.length) { - if (!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; - 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 (Object(number_isFinite["a" /* isFiniteNumber */])(sliding)) { - logger["b" /* logger */].log('adjusting PTS using programDateTime delta, sliding:' + sliding.toFixed(3)); - adjustPts(sliding, details); - } - } - } -// CONCATENATED MODULE: ./src/task-loop.js - function task_loop__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + if (keysListItem.mediaKeysSessionInitialized) { + logger["logger"].warn('Key-Session already initialized but requested again'); + return; + } - function task_loop__possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call && (typeof call === "object" || typeof call === "function") ? call : self; } + var keySession = keysListItem.mediaKeysSession; - function task_loop__inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; } + if (!keySession) { + logger["logger"].error('Fatal: Media is encrypted but no key-session existing'); + this.hls.trigger(events["default"].ERROR, { + type: errors["ErrorTypes"].KEY_SYSTEM_ERROR, + details: errors["ErrorDetails"].KEY_SYSTEM_NO_SESSION, + fatal: true + }); + return; + } // initData is null if the media is not CORS-same-origin + if (!initData) { + logger["logger"].warn('Fatal: initData required for generating a key session is null'); + this.hls.trigger(events["default"].ERROR, { + type: errors["ErrorTypes"].KEY_SYSTEM_ERROR, + details: errors["ErrorDetails"].KEY_SYSTEM_NO_INIT_DATA, + fatal: true + }); + return; + } - /** - * 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). - */ + logger["logger"].log("Generating key-session request for \"" + initDataType + "\" init data type"); + keysListItem.mediaKeysSessionInitialized = true; + keySession.generateRequest(initDataType, initData).then(function () { + logger["logger"].debug('Key-session generation succeeded'); + }).catch(function (err) { + logger["logger"].error('Error generating key-session request:', err); + + _this6.hls.trigger(events["default"].ERROR, { + type: errors["ErrorTypes"].KEY_SYSTEM_ERROR, + details: errors["ErrorDetails"].KEY_SYSTEM_NO_SESSION, + fatal: false + }); + }); + } + /** + * @private + * @param {string} url License server URL + * @param {ArrayBuffer} keyMessage Message data issued by key-system + * @param {function} callback Called when XHR has succeeded + * @returns {XMLHttpRequest} Unsent (but opened state) XHR object + * @throws if XMLHttpRequest construction failed + */ + ; + + _proto._createLicenseXhr = function _createLicenseXhr(url, keyMessage, callback) { + var xhr = new XMLHttpRequest(); + var licenseXhrSetup = this._licenseXhrSetup; - var TaskLoop = function (_EventHandler) { - task_loop__inherits(TaskLoop, _EventHandler); + try { + if (licenseXhrSetup) { + try { + licenseXhrSetup(xhr, url); + } catch (e) { + // let's try to open before running setup + xhr.open('POST', url, true); + licenseXhrSetup(xhr, url); + } + } // if licenseXhrSetup did not yet call open, let's do it now - function TaskLoop(hls) { - task_loop__classCallCheck(this, TaskLoop); - for (var _len = arguments.length, events = Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) { - events[_key - 1] = arguments[_key]; - } + if (!xhr.readyState) { + xhr.open('POST', url, true); + } + } catch (e) { + // IE11 throws an exception on xhr.open if attempting to access an HTTP resource over HTTPS + throw new Error("issue setting up KeySystem license XHR " + e); + } // Because we set responseType to ArrayBuffer here, callback is typed as handling only array buffers - var _this = task_loop__possibleConstructorReturn(this, _EventHandler.call.apply(_EventHandler, [this, hls].concat(events))); - _this._tickInterval = null; - _this._tickTimer = null; - _this._tickCallCount = 0; - _this._boundTick = _this.tick.bind(_this); - return _this; - } + xhr.responseType = 'arraybuffer'; + xhr.onreadystatechange = this._onLicenseRequestReadyStageChange.bind(this, xhr, url, keyMessage, callback); + return xhr; + } + /** + * @private + * @param {XMLHttpRequest} xhr + * @param {string} url License server URL + * @param {ArrayBuffer} keyMessage Message data issued by key-system + * @param {function} callback Called when XHR has succeeded + */ + ; + + _proto._onLicenseRequestReadyStageChange = function _onLicenseRequestReadyStageChange(xhr, url, keyMessage, callback) { + switch (xhr.readyState) { + case 4: + if (xhr.status === 200) { + this._requestLicenseFailureCount = 0; + logger["logger"].log('License request succeeded'); + + if (xhr.responseType !== 'arraybuffer') { + logger["logger"].warn('xhr response type was not set to the expected arraybuffer for license request'); + } - /** - * @override - */ + callback(xhr.response); + } else { + logger["logger"].error("License Request XHR failed (" + url + "). Status: " + xhr.status + " (" + xhr.statusText + ")"); + this._requestLicenseFailureCount++; + + if (this._requestLicenseFailureCount > MAX_LICENSE_REQUEST_FAILURES) { + this.hls.trigger(events["default"].ERROR, { + type: errors["ErrorTypes"].KEY_SYSTEM_ERROR, + details: errors["ErrorDetails"].KEY_SYSTEM_LICENSE_REQUEST_FAILED, + fatal: true + }); + return; + } + var attemptsLeft = MAX_LICENSE_REQUEST_FAILURES - this._requestLicenseFailureCount + 1; + logger["logger"].warn("Retrying license request, " + attemptsLeft + " attempts left"); - TaskLoop.prototype.onHandlerDestroying = function onHandlerDestroying() { - // clear all timers before unregistering from event bus - this.clearNextTick(); - this.clearInterval(); - }; + this._requestLicense(keyMessage, callback); + } - /** - * @returns {boolean} - */ + break; + } + } + /** + * @private + * @param {MediaKeysListItem} keysListItem + * @param {ArrayBuffer} keyMessage + * @returns {ArrayBuffer} Challenge data posted to license server + * @throws if KeySystem is unsupported + */ + ; + + _proto._generateLicenseRequestChallenge = function _generateLicenseRequestChallenge(keysListItem, keyMessage) { + switch (keysListItem.mediaKeySystemDomain) { + // case KeySystems.PLAYREADY: + // from https://github.com/MicrosoftEdge/Demos/blob/master/eme/scripts/demo.js + + /* + if (this.licenseType !== this.LICENSE_TYPE_WIDEVINE) { + // For PlayReady CDMs, we need to dig the Challenge out of the XML. + var keyMessageXml = new DOMParser().parseFromString(String.fromCharCode.apply(null, new Uint16Array(keyMessage)), 'application/xml'); + if (keyMessageXml.getElementsByTagName('Challenge')[0]) { + challenge = atob(keyMessageXml.getElementsByTagName('Challenge')[0].childNodes[0].nodeValue); + } else { + throw 'Cannot find <Challenge> in key message'; + } + var headerNames = keyMessageXml.getElementsByTagName('name'); + var headerValues = keyMessageXml.getElementsByTagName('value'); + if (headerNames.length !== headerValues.length) { + throw 'Mismatched header <name>/<value> pair in key message'; + } + for (var i = 0; i < headerNames.length; i++) { + xhr.setRequestHeader(headerNames[i].childNodes[0].nodeValue, headerValues[i].childNodes[0].nodeValue); + } + } + break; + */ + case KeySystems.WIDEVINE: + // For Widevine CDMs, the challenge is the keyMessage. + return keyMessage; + } + throw new Error("unsupported key-system: " + keysListItem.mediaKeySystemDomain); + } + /** + * @private + * @param keyMessage + * @param callback + */ + ; + + _proto._requestLicense = function _requestLicense(keyMessage, callback) { + logger["logger"].log('Requesting content license for key-system'); + var keysListItem = this._mediaKeysList[0]; + + if (!keysListItem) { + logger["logger"].error('Fatal error: Media is encrypted but no key-system access has been obtained yet'); + this.hls.trigger(events["default"].ERROR, { + type: errors["ErrorTypes"].KEY_SYSTEM_ERROR, + details: errors["ErrorDetails"].KEY_SYSTEM_NO_ACCESS, + fatal: true + }); + return; + } - TaskLoop.prototype.hasInterval = function hasInterval() { - return !!this._tickInterval; - }; + try { + var _url = this.getLicenseServerUrl(keysListItem.mediaKeySystemDomain); - /** - * @returns {boolean} - */ + var _xhr = this._createLicenseXhr(_url, keyMessage, callback); + logger["logger"].log("Sending license request to URL: " + _url); - TaskLoop.prototype.hasNextTick = function hasNextTick() { - return !!this._tickTimer; - }; + var challenge = this._generateLicenseRequestChallenge(keysListItem, keyMessage); - /** - * @param {number} millis Interval time (ms) - * @returns {boolean} True when interval has been scheduled, false when already scheduled (no effect) - */ + _xhr.send(challenge); + } catch (e) { + logger["logger"].error("Failure requesting DRM license: " + e); + this.hls.trigger(events["default"].ERROR, { + type: errors["ErrorTypes"].KEY_SYSTEM_ERROR, + details: errors["ErrorDetails"].KEY_SYSTEM_LICENSE_REQUEST_FAILED, + fatal: true + }); + } + }; + _proto.onMediaAttached = function onMediaAttached(data) { + if (!this._emeEnabled) { + return; + } - TaskLoop.prototype.setInterval = function (_setInterval) { - function setInterval(_x) { - return _setInterval.apply(this, arguments); - } + var media = data.media; // keep reference of media - setInterval.toString = function () { - return _setInterval.toString(); - }; + this._media = media; + media.addEventListener('encrypted', this._onMediaEncrypted); + }; - return setInterval; - }(function (millis) { - if (!this._tickInterval) { - this._tickInterval = setInterval(this._boundTick, millis); - return true; - } - return false; - }); + _proto.onMediaDetached = function onMediaDetached() { + if (this._media) { + this._media.removeEventListener('encrypted', this._onMediaEncrypted); - /** - * @returns {boolean} True when interval was cleared, false when none was set (no effect) - */ + this._media = null; // release reference + } + } // TODO: Use manifest types here when they are defined + ; + _proto.onManifestParsed = function onManifestParsed(data) { + if (!this._emeEnabled) { + return; + } - TaskLoop.prototype.clearInterval = function (_clearInterval) { - function clearInterval() { - return _clearInterval.apply(this, arguments); - } + var audioCodecs = data.levels.map(function (level) { + return level.audioCodec; + }); + var videoCodecs = data.levels.map(function (level) { + return level.videoCodec; + }); - clearInterval.toString = function () { - return _clearInterval.toString(); - }; + this._attemptKeySystemAccess(KeySystems.WIDEVINE, audioCodecs, videoCodecs); + }; - return clearInterval; - }(function () { - if (this._tickInterval) { - clearInterval(this._tickInterval); - this._tickInterval = null; - return true; - } - return false; - }); + eme_controller_createClass(EMEController, [{ + key: "requestMediaKeySystemAccess", + get: function get() { + if (!this._requestMediaKeySystemAccess) { + throw new Error('No requestMediaKeySystemAccess function configured'); + } - /** - * @returns {boolean} True when timeout was cleared, false when none was set (no effect) - */ + return this._requestMediaKeySystemAccess; + } + }]); + return EMEController; + }(event_handler); - TaskLoop.prototype.clearNextTick = function clearNextTick() { - if (this._tickTimer) { - clearTimeout(this._tickTimer); - this._tickTimer = null; - return true; - } - return false; - }; + /* harmony default export */ var eme_controller = (eme_controller_EMEController); +// CONCATENATED MODULE: ./src/config.ts + function _objectSpread(target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i] != null ? arguments[i] : {}; var ownKeys = Object.keys(source); if (typeof Object.getOwnPropertySymbols === 'function') { ownKeys = ownKeys.concat(Object.getOwnPropertySymbols(source).filter(function (sym) { return Object.getOwnPropertyDescriptor(source, sym).enumerable; })); } ownKeys.forEach(function (key) { _defineProperty(target, key, source[key]); }); } return target; } - /** - * 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). - */ + 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; } + /** + * HLS config + */ - TaskLoop.prototype.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 = setTimeout(this._boundTick, 0); - } - this._tickCallCount = 0; - } - }; - /** - * For subclass to implement task logic - * @abstract - */ - TaskLoop.prototype.doTick = function doTick() {}; + // import FetchLoader from './utils/fetch-loader'; + + + + + + + + + +// If possible, keep hlsDefaultConfig shallow +// It is cloned whenever a new Hls instance is created, by keeping the config + var hlsDefaultConfig = _objectSpread({ + autoStartLoad: true, + // used by stream-controller + startPosition: -1, + // used by stream-controller + defaultAudioCodec: void 0, + // 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 + maxBufferSize: 60 * 1000 * 1000, + // used by stream-controller + maxBufferHole: 0.5, + // used by stream-controller + lowBufferWatchdogPeriod: 0.5, + // used by stream-controller + highBufferWatchdogPeriod: 3, + // 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 stream-controller + liveMaxLatencyDurationCount: Infinity, + // used by stream-controller + liveSyncDuration: void 0, + // used by stream-controller + liveMaxLatencyDuration: void 0, + // used by stream-controller + liveDurationInfinity: false, + // used by buffer-controller + liveBackBufferLength: Infinity, + // 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: void 0, + // 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: xhr_loader, + // loader: FetchLoader, + fLoader: void 0, + // used by fragment-loader + pLoader: void 0, + // used by playlist-loader + xhrSetup: void 0, + // used by xhr-loader + licenseXhrSetup: void 0, + // used by eme-controller + // fetchSetup: void 0, + abrController: abr_controller, + bufferController: buffer_controller, + capLevelController: cap_level_controller, + fpsController: fps_controller, + 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: void 0, + // used by eme-controller + requestMediaKeySystemAccessFunc: requestMediaKeySystemAccess + }, timelineConfig(), { + subtitleStreamController: true ? subtitle_stream_controller_SubtitleStreamController : undefined, + subtitleTrackController: true ? subtitle_track_controller : undefined, + timelineController: true ? timeline_controller : undefined, + audioStreamController: true ? audio_stream_controller : undefined, + audioTrackController: true ? audio_track_controller : undefined, + emeController: true ? eme_controller : undefined + }); - return TaskLoop; - }(event_handler); + function timelineConfig() { + if (false) {} - /* harmony default export */ var task_loop = (TaskLoop); -// CONCATENATED MODULE: ./src/controller/fragment-finders.js + return { + cueHandler: cues_namespaceObject, + // used by timeline-controller + enableCEA708Captions: true, + // used by timeline-controller + enableWebVTT: true, + // 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 + }; + } +// CONCATENATED MODULE: ./src/hls.ts + /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "default", function() { return hls_Hls; }); + function hls_objectSpread(target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i] != null ? arguments[i] : {}; var ownKeys = Object.keys(source); if (typeof Object.getOwnPropertySymbols === 'function') { ownKeys = ownKeys.concat(Object.getOwnPropertySymbols(source).filter(function (sym) { return Object.getOwnPropertyDescriptor(source, sym).enumerable; })); } ownKeys.forEach(function (key) { hls_defineProperty(target, key, source[key]); }); } return target; } + function hls_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; } - /** - * 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 (!Array.isArray(fragments) || !fragments.length || !Object(number_isFinite["a" /* isFiniteNumber */])(PDTValue)) { - return null; - } + function hls_assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return self; } - // if less than start - if (PDTValue < fragments[0].programDateTime) { - return null; - } + function hls_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); } } - if (PDTValue >= fragments[fragments.length - 1].endProgramDateTime) { - return null; - } + function hls_createClass(Constructor, protoProps, staticProps) { if (protoProps) hls_defineProperties(Constructor.prototype, protoProps); if (staticProps) hls_defineProperties(Constructor, staticProps); return Constructor; } - maxFragLookUpTolerance = maxFragLookUpTolerance || 0; - for (var seg = 0; seg < fragments.length; ++seg) { - var frag = fragments[seg]; - if (pdtWithinToleranceTest(PDTValue, maxFragLookUpTolerance, frag)) { - return frag; - } - } + function hls_inheritsLoose(subClass, superClass) { subClass.prototype = Object.create(superClass.prototype); subClass.prototype.constructor = subClass; subClass.__proto__ = superClass; } - 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<Fragment>} 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) { - var bufferEnd = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : 0; - var maxFragLookUpTolerance = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : 0; - - var fragNext = fragPrevious ? fragments[fragPrevious.sn - fragments[0].sn + 1] : null; - // Prefer the next fragment if it's within tolerance - if (fragNext && !fragment_finders_fragmentWithinToleranceTest(bufferEnd, maxFragLookUpTolerance, fragNext)) { - return fragNext; - } - return binary_search.search(fragments, fragment_finders_fragmentWithinToleranceTest.bind(null, bufferEnd, maxFragLookUpTolerance)); - } - /** - * 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 fragment_finders_fragmentWithinToleranceTest() { - var bufferEnd = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : 0; - var maxFragLookUpTolerance = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : 0; - var candidate = arguments[2]; - - // 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; - return candidate.endProgramDateTime - candidateLookupTolerance > pdtBufferEnd; - } -// CONCATENATED MODULE: ./src/controller/gap-controller.js - function gap_controller__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } - var stallDebounceInterval = 1000; - var jumpThreshold = 0.5; // tolerance needed as some browsers stalls playback before reaching buffered range end - var gap_controller_GapController = function () { - function GapController(config, media, fragmentTracker, hls) { - gap_controller__classCallCheck(this, GapController); - this.config = config; - this.media = media; - this.fragmentTracker = fragmentTracker; - this.hls = hls; - this.stallReported = false; - } - /** - * 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 lastCurrentTime - * @param buffered - */ + /** + * @module Hls + * @class + * @constructor + */ - GapController.prototype.poll = function poll(lastCurrentTime, buffered) { - var config = this.config, - media = this.media; + var hls_Hls = + /*#__PURE__*/ + function (_Observer) { + hls_inheritsLoose(Hls, _Observer); - var currentTime = media.currentTime; - var tnow = window.performance.now(); + /** + * @type {boolean} + */ + Hls.isSupported = function isSupported() { + return is_supported_isSupported(); + } + /** + * @type {HlsEvents} + */ + ; + + hls_createClass(Hls, null, [{ + key: "version", + + /** + * @type {string} + */ + get: function get() { + return "0.13.2"; + } + }, { + key: "Events", + get: function get() { + return events["default"]; + } + /** + * @type {HlsErrorTypes} + */ + + }, { + key: "ErrorTypes", + get: function get() { + return errors["ErrorTypes"]; + } + /** + * @type {HlsErrorDetails} + */ + + }, { + key: "ErrorDetails", + get: function get() { + return errors["ErrorDetails"]; + } + /** + * @type {HlsConfig} + */ + + }, { + key: "DefaultConfig", + get: function get() { + if (!Hls.defaultConfig) { + return hlsDefaultConfig; + } - if (currentTime !== lastCurrentTime) { - // The playhead is now moving, but was previously stalled - if (this.stallReported) { - logger["b" /* logger */].warn('playback not stuck anymore @' + currentTime + ', after ' + Math.round(tnow - this.stalled) + 'ms'); - this.stallReported = false; - } - this.stalled = null; - this.nudgeRetry = 0; - return; - } + return Hls.defaultConfig; + } + /** + * @type {HlsConfig} + */ + , + set: function set(defaultConfig) { + Hls.defaultConfig = defaultConfig; + } + /** + * Creates an instance of an HLS client that can attach to exactly one `HTMLMediaElement`. + * + * @constructs Hls + * @param {HlsConfig} config + */ - if (media.ended || !media.buffered.length || media.readyState > 2) { - return; - } + }]); - if (media.seeking && BufferHelper.isBuffered(media, currentTime)) { - return; - } + function Hls(userConfig) { + var _this; - // The playhead isn't moving but it should be - // Allow some slack time to for small stalls to resolve themselves - var stalledDuration = tnow - this.stalled; - var bufferInfo = BufferHelper.bufferInfo(media, currentTime, config.maxBufferHole); - if (!this.stalled) { - this.stalled = tnow; - return; - } else if (stalledDuration >= stallDebounceInterval) { - // Report stalling after trying to fix - this._reportStall(bufferInfo.len); - } + if (userConfig === void 0) { + userConfig = {}; + } - this._tryFixBufferStall(bufferInfo, stalledDuration); - }; + _this = _Observer.call(this) || this; + _this.config = void 0; + _this._autoLevelCapping = void 0; + _this.abrController = void 0; + _this.capLevelController = void 0; + _this.levelController = void 0; + _this.streamController = void 0; + _this.networkControllers = void 0; + _this.audioTrackController = void 0; + _this.subtitleTrackController = void 0; + _this.emeController = void 0; + _this.coreComponents = void 0; + _this.media = null; + _this.url = null; + var defaultConfig = Hls.DefaultConfig; + + 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'); + } // Shallow clone + + + _this.config = hls_objectSpread({}, defaultConfig, userConfig); + + var _assertThisInitialize = hls_assertThisInitialized(_this), + config = _assertThisInitialize.config; + + if (config.liveMaxLatencyDurationCount !== void 0 && config.liveMaxLatencyDurationCount <= config.liveSyncDurationCount) { + throw new Error('Illegal hls.js config: "liveMaxLatencyDurationCount" must be gt "liveSyncDurationCount"'); + } - /** - * Detects and attempts to fix known buffer stalling issues. - * @param bufferInfo - The properties of the current buffer. - * @param stalledDuration - The amount of time Hls.js has been stalling for. - * @private - */ + if (config.liveMaxLatencyDuration !== void 0 && (config.liveSyncDuration === void 0 || config.liveMaxLatencyDuration <= config.liveSyncDuration)) { + throw new Error('Illegal hls.js config: "liveMaxLatencyDuration" must be gt "liveSyncDuration"'); + } + Object(logger["enableLogs"])(config.debug); + _this._autoLevelCapping = -1; // core controllers and network loaders - GapController.prototype._tryFixBufferStall = function _tryFixBufferStall(bufferInfo, stalledDuration) { - var config = this.config, - fragmentTracker = this.fragmentTracker, - media = this.media; + /** + * @member {AbrController} abrController + */ - var currentTime = media.currentTime; + var abrController = _this.abrController = new config.abrController(hls_assertThisInitialized(_this)); // eslint-disable-line new-cap - 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 - this._trySkipBufferHole(partial); - } + var bufferController = new config.bufferController(hls_assertThisInitialized(_this)); // eslint-disable-line new-cap - if (bufferInfo.len > jumpThreshold && stalledDuration > config.highBufferWatchdogPeriod * 1000) { - // 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(); - } - }; + var capLevelController = _this.capLevelController = new config.capLevelController(hls_assertThisInitialized(_this)); // eslint-disable-line new-cap - /** - * 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 - */ + var fpsController = new config.fpsController(hls_assertThisInitialized(_this)); // eslint-disable-line new-cap + var playListLoader = new playlist_loader(hls_assertThisInitialized(_this)); + var fragmentLoader = new fragment_loader(hls_assertThisInitialized(_this)); + var keyLoader = new key_loader(hls_assertThisInitialized(_this)); + var id3TrackController = new id3_track_controller(hls_assertThisInitialized(_this)); // network controllers - GapController.prototype._reportStall = function _reportStall(bufferLen) { - var hls = this.hls, - media = this.media, - stallReported = this.stallReported; - - if (!stallReported) { - // Report stalled error once - this.stallReported = true; - logger["b" /* logger */].warn('Playback stalling at @' + media.currentTime + ' due to low buffer'); - hls.trigger(events["a" /* default */].ERROR, { - type: errors["b" /* ErrorTypes */].MEDIA_ERROR, - details: errors["a" /* ErrorDetails */].BUFFER_STALLED_ERROR, - fatal: false, - buffer: bufferLen - }); - } - }; + /** + * @member {LevelController} levelController + */ - /** - * 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 - */ + var levelController = _this.levelController = new level_controller_LevelController(hls_assertThisInitialized(_this)); // FIXME: FragmentTracker must be defined before StreamController because the order of event handling is important + var fragmentTracker = new fragment_tracker_FragmentTracker(hls_assertThisInitialized(_this)); + /** + * @member {StreamController} streamController + */ - GapController.prototype._trySkipBufferHole = function _trySkipBufferHole(partial) { - var hls = this.hls, - media = this.media; - - var currentTime = media.currentTime; - var lastEndTime = 0; - // Check if currentTime is between unbuffered regions of partial fragments - for (var i = 0; i < media.buffered.length; i++) { - var startTime = media.buffered.start(i); - if (currentTime >= lastEndTime && currentTime < startTime) { - media.currentTime = Math.max(startTime, media.currentTime + 0.1); - logger["b" /* logger */].warn('skipping hole, adjusting currentTime from ' + currentTime + ' to ' + media.currentTime); - this.stalled = null; - hls.trigger(events["a" /* default */].ERROR, { - type: errors["b" /* ErrorTypes */].MEDIA_ERROR, - details: errors["a" /* ErrorDetails */].BUFFER_SEEK_OVER_HOLE, - fatal: false, - reason: 'fragment loaded with buffer holes, seeking from ' + currentTime + ' to ' + media.currentTime, - frag: partial - }); - return; - } - lastEndTime = media.buffered.end(i); - } - }; + var streamController = _this.streamController = new stream_controller(hls_assertThisInitialized(_this), fragmentTracker); + var networkControllers = [levelController, streamController]; // optional audio stream controller - /** - * Attempts to fix buffer stalls by advancing the mediaElement's current time by a small amount. - * @private - */ + /** + * @var {ICoreComponent | Controller} + */ + var Controller = config.audioStreamController; - GapController.prototype._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; - logger["b" /* logger */].log('adjust currentTime from ' + currentTime + ' to ' + targetTime); - // playback stalled in buffered area ... let's nudge currentTime to try to overcome this - media.currentTime = targetTime; - hls.trigger(events["a" /* default */].ERROR, { - type: errors["b" /* ErrorTypes */].MEDIA_ERROR, - details: errors["a" /* ErrorDetails */].BUFFER_NUDGE_ON_STALL, - fatal: false - }); - } else { - logger["b" /* logger */].error('still stuck in high buffer @' + currentTime + ' after ' + config.nudgeMaxRetry + ', raise fatal error'); - hls.trigger(events["a" /* default */].ERROR, { - type: errors["b" /* ErrorTypes */].MEDIA_ERROR, - details: errors["a" /* ErrorDetails */].BUFFER_STALLED_ERROR, - fatal: true - }); - } - }; + if (Controller) { + networkControllers.push(new Controller(hls_assertThisInitialized(_this), fragmentTracker)); + } + /** + * @member {INetworkController[]} networkControllers + */ - return GapController; - }(); - /* harmony default export */ var gap_controller = (gap_controller_GapController); -// CONCATENATED MODULE: ./src/controller/stream-controller.js + _this.networkControllers = networkControllers; + /** + * @var {ICoreComponent[]} + */ + var coreComponents = [playListLoader, fragmentLoader, keyLoader, abrController, bufferController, capLevelController, fpsController, id3TrackController, fragmentTracker]; // optional audio track and subtitle controller - var stream_controller__createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); + Controller = config.audioTrackController; - function stream_controller__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + if (Controller) { + var audioTrackController = new Controller(hls_assertThisInitialized(_this)); + /** + * @member {AudioTrackController} audioTrackController + */ - function stream_controller__possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call && (typeof call === "object" || typeof call === "function") ? call : self; } + _this.audioTrackController = audioTrackController; + coreComponents.push(audioTrackController); + } - function stream_controller__inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; } - - /* - * Stream Controller -*/ + Controller = config.subtitleTrackController; + if (Controller) { + var subtitleTrackController = new Controller(hls_assertThisInitialized(_this)); + /** + * @member {SubtitleTrackController} subtitleTrackController + */ + _this.subtitleTrackController = subtitleTrackController; + networkControllers.push(subtitleTrackController); + } + Controller = config.emeController; + if (Controller) { + var emeController = new Controller(hls_assertThisInitialized(_this)); + /** + * @member {EMEController} emeController + */ + _this.emeController = emeController; + coreComponents.push(emeController); + } // optional subtitle controllers + Controller = config.subtitleStreamController; + if (Controller) { + networkControllers.push(new Controller(hls_assertThisInitialized(_this), fragmentTracker)); + } + Controller = config.timelineController; + if (Controller) { + coreComponents.push(new Controller(hls_assertThisInitialized(_this))); + } + /** + * @member {ICoreComponent[]} + */ + _this.coreComponents = coreComponents; + return _this; + } + /** + * Dispose of the instance + */ + var _proto = Hls.prototype; + _proto.destroy = function destroy() { + logger["logger"].log('destroy'); + this.trigger(events["default"].DESTROYING); + this.detachMedia(); + this.coreComponents.concat(this.networkControllers).forEach(function (component) { + component.destroy(); + }); + this.url = null; + this.removeAllListeners(); + this._autoLevelCapping = -1; + } + /** + * Attach a media element + * @param {HTMLMediaElement} media + */ + ; + + _proto.attachMedia = function attachMedia(media) { + logger["logger"].log('attachMedia'); + this.media = media; + this.trigger(events["default"].MEDIA_ATTACHING, { + media: media + }); + } + /** + * Detach from the media + */ + ; + + _proto.detachMedia = function detachMedia() { + logger["logger"].log('detachMedia'); + this.trigger(events["default"].MEDIA_DETACHING); + this.media = null; + } + /** + * Set the source URL. Can be relative or absolute. + * @param {string} url + */ + ; + + _proto.loadSource = function loadSource(url) { + url = url_toolkit["buildAbsoluteURL"](window.location.href, url, { + alwaysNormalize: true + }); + logger["logger"].log("loadSource:" + url); + this.url = url; // when attaching to a source URL, trigger a playlist load + this.trigger(events["default"].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; + } - var State = { - STOPPED: 'STOPPED', - IDLE: 'IDLE', - KEY_LOADING: 'KEY_LOADING', - FRAG_LOADING: 'FRAG_LOADING', - FRAG_LOADING_WAITING_RETRY: 'FRAG_LOADING_WAITING_RETRY', - WAITING_LEVEL: 'WAITING_LEVEL', - PARSING: 'PARSING', - PARSED: 'PARSED', - BUFFER_FLUSHING: 'BUFFER_FLUSHING', - ENDED: 'ENDED', - ERROR: 'ERROR' - }; + logger["logger"].log("startLoad(" + startPosition + ")"); + this.networkControllers.forEach(function (controller) { + controller.startLoad(startPosition); + }); + } + /** + * Stop loading of any stream data. + */ + ; + + _proto.stopLoad = function stopLoad() { + logger["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() { + logger["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() { + logger["logger"].log('recoverMediaError'); + var media = this.media; + this.detachMedia(); + + if (media) { + this.attachMedia(media); + } + } + /** + * @type {QualityLevel[]} + */ + // todo(typescript-levelController) + ; + + hls_createClass(Hls, [{ + key: "levels", + get: function get() { + return this.levelController.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) { + logger["logger"].log("set currentLevel:" + newLevel); + this.loadLevel = newLevel; + 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) { + logger["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) { + logger["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) { + logger["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) { + logger["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); + } - var stream_controller_StreamController = function (_TaskLoop) { - stream_controller__inherits(StreamController, _TaskLoop); + this.levelController.startLevel = newLevel; + } + /** + * set dynamically set capLevelToPlayerSize against (`CapLevelController`) + * + * @type {boolean} + */ + + }, { + key: "capLevelToPlayerSize", + 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. + } - function StreamController(hls, fragmentTracker) { - stream_controller__classCallCheck(this, StreamController); + 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} + */ + , + + /** + * Capping/max level value that should be used by automatic level selection algorithm (`ABRController`) + * @type {number} + */ + set: function set(newLevel) { + logger["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; + return bwEstimator ? bwEstimator.getEstimate() : NaN; + } + }, { + 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; + var len = levels ? levels.length : 0; + + for (var i = 0; i < len; i++) { + var levelNextBitrate = levels[i].realBitrate ? Math.max(levels[i].realBitrate, levels[i].bitrate) : levels[i].bitrate; + + if (levelNextBitrate > minAutoBitrate) { + return i; + } + } - var _this = stream_controller__possibleConstructorReturn(this, _TaskLoop.call(this, hls, events["a" /* default */].MEDIA_ATTACHED, events["a" /* default */].MEDIA_DETACHING, events["a" /* default */].MANIFEST_LOADING, events["a" /* default */].MANIFEST_PARSED, events["a" /* default */].LEVEL_LOADED, events["a" /* default */].KEY_LOADED, events["a" /* default */].FRAG_LOADED, events["a" /* default */].FRAG_LOAD_EMERGENCY_ABORTED, events["a" /* default */].FRAG_PARSING_INIT_SEGMENT, events["a" /* default */].FRAG_PARSING_DATA, events["a" /* default */].FRAG_PARSED, events["a" /* default */].ERROR, events["a" /* default */].AUDIO_TRACK_SWITCHING, events["a" /* default */].AUDIO_TRACK_SWITCHED, events["a" /* default */].BUFFER_CREATED, events["a" /* default */].BUFFER_APPENDED, events["a" /* default */].BUFFER_FLUSHED)); + 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; + } - _this.fragmentTracker = fragmentTracker; - _this.config = hls.config; - _this.audioCodecSwap = false; - _this._state = State.STOPPED; - _this.stallReported = false; - _this.gapController = null; - return _this; - } + 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[]} + */ + // todo(typescript-audioTrackController) + + }, { + 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; + } + } + /** + * @type {Seconds} + */ + + }, { + key: "liveSyncPosition", + get: function get() { + return this.streamController.liveSyncPosition; + } + /** + * get alternate subtitle tracks list from playlist + * @type {SubtitleTrack[]} + */ + // todo(typescript-subtitleTrackController) + + }, { + 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; + } + /** + * select an subtitle track, based on its index in subtitle track lists + * @type {number} + */ + , + set: function set(subtitleTrackId) { + var subtitleTrackController = this.subtitleTrackController; + + if (subtitleTrackController) { + subtitleTrackController.subtitleTrack = subtitleTrackId; + } + } + /** + * @type {boolean} + */ + + }, { + 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; + } + } + }]); - StreamController.prototype.onHandlerDestroying = function onHandlerDestroying() { - this.stopLoad(); - _TaskLoop.prototype.onHandlerDestroying.call(this); - }; + return Hls; + }(Observer); - StreamController.prototype.onHandlerDestroyed = function onHandlerDestroyed() { - this.state = State.STOPPED; - this.fragmentTracker = null; - _TaskLoop.prototype.onHandlerDestroyed.call(this); - }; + hls_Hls.defaultConfig = void 0; - StreamController.prototype.startLoad = function startLoad(startPosition) { - if (this.levels) { - var lastCurrentTime = this.lastCurrentTime, - hls = this.hls; - this.stopLoad(); - this.setInterval(100); - this.level = -1; - this.fragLoadError = 0; - if (!this.startFragRequested) { - // determine load level - var startLevel = hls.startLevel; - if (startLevel === -1) { - // -1 : guess start Level by doing a bitrate test by loading first fragment of lowest quality level - startLevel = 0; - this.bitrateTest = true; - } - // 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) { - logger["b" /* logger */].log('override startPosition with lastCurrentTime @' + lastCurrentTime.toFixed(3)); - startPosition = lastCurrentTime; - } - this.state = State.IDLE; - this.nextLoadPosition = this.startPosition = this.lastCurrentTime = startPosition; - this.tick(); - } else { - this.forceStartLoad = true; - this.state = State.STOPPED; - } - }; - StreamController.prototype.stopLoad = function stopLoad() { - var frag = this.fragCurrent; - if (frag) { - if (frag.loader) { - frag.loader.abort(); - } + /***/ }), - this.fragmentTracker.removeFragment(frag); - this.fragCurrent = null; - } - this.fragPrevious = null; - if (this.demuxer) { - this.demuxer.destroy(); - this.demuxer = null; - } - this.clearInterval(); - this.state = State.STOPPED; - this.forceStartLoad = false; - }; + /***/ "./src/polyfills/number-isFinite.js": + /*!******************************************!*\ + !*** ./src/polyfills/number-isFinite.js ***! + \******************************************/ + /*! exports provided: isFiniteNumber */ + /***/ (function(module, __webpack_exports__, __webpack_require__) { - StreamController.prototype.doTick = function doTick() { - switch (this.state) { - case State.BUFFER_FLUSHING: - // in buffer flushing state, reset fragLoadError counter - this.fragLoadError = 0; - break; - case State.IDLE: - this._doTickIdle(); - break; - case State.WAITING_LEVEL: - var level = this.levels[this.level]; - // check if playlist is already loaded - if (level && level.details) { - this.state = State.IDLE; - } + "use strict"; + __webpack_require__.r(__webpack_exports__); + /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "isFiniteNumber", function() { return isFiniteNumber; }); + var isFiniteNumber = Number.isFinite || function (value) { + return typeof value === 'number' && isFinite(value); + }; - break; - case State.FRAG_LOADING_WAITING_RETRY: - var now = window.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.seeking) { - logger["b" /* logger */].log('mediaController: retryDate reached, switch back to IDLE state'); - this.state = State.IDLE; - } - break; - case State.ERROR: - case State.STOPPED: - case State.FRAG_LOADING: - case State.PARSING: - case State.PARSED: - case State.ENDED: - break; - default: - break; + /***/ }), + + /***/ "./src/utils/get-self-scope.js": + /*!*************************************!*\ + !*** ./src/utils/get-self-scope.js ***! + \*************************************/ + /*! exports provided: getSelfScope */ + /***/ (function(module, __webpack_exports__, __webpack_require__) { + + "use strict"; + __webpack_require__.r(__webpack_exports__); + /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "getSelfScope", function() { return getSelfScope; }); + function getSelfScope() { + // see https://stackoverflow.com/a/11237259/589493 + if (typeof window === 'undefined') { + /* eslint-disable-next-line no-undef */ + return self; + } else { + return window; + } } - // check buffer - this._checkBuffer(); - // check/update current fragment - this._checkFragmentChanged(); - }; - // Ironically the "idle" state is the on we do the most logic in it seems .... - // NOTE: Maybe we could rather schedule a check for buffer length after half of the currently - // played segment, or on pause/play/seek instead of naively checking every 100ms? + /***/ }), + /***/ "./src/utils/logger.js": + /*!*****************************!*\ + !*** ./src/utils/logger.js ***! + \*****************************/ + /*! exports provided: enableLogs, logger */ + /***/ (function(module, __webpack_exports__, __webpack_require__) { - StreamController.prototype._doTickIdle = function _doTickIdle() { - var hls = this.hls, - config = hls.config, - media = this.media; + "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; }); + /* harmony import */ var _get_self_scope__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./get-self-scope */ "./src/utils/get-self-scope.js"); - // if start level not parsed yet OR - // if video not attached AND start fragment already requested OR start frag prefetch disable - // exit loop, as we either need more info (level not parsed) or we need media to be attached to load new fragment - if (this.levelLastLoaded === undefined || !media && (this.startFragRequested || !config.startFragPrefetch)) { - return; - } - // if we have not yet loaded any fragment, start loading from start position - var pos = void 0; - if (this.loadedmetadata) { - pos = media.currentTime; - } else { - pos = this.nextLoadPosition; - } + function noop() {} - // determine next load level - var level = hls.nextLoadLevel, - levelInfo = this.levels[level]; + 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; +// } - if (!levelInfo) { - return; + function formatMsg(type, msg) { + msg = '[' + type + '] > ' + msg; + return msg; } - var levelBitrate = levelInfo.bitrate, - maxBufLen = void 0; + var global = Object(_get_self_scope__WEBPACK_IMPORTED_MODULE_0__["getSelfScope"])(); - // 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 - if (levelBitrate) { - maxBufLen = Math.max(8 * config.maxBufferSize / levelBitrate, config.maxBufferLength); - } else { - maxBufLen = config.maxBufferLength; - } + function consolePrintFn(type) { + var func = global.console[type]; - maxBufLen = Math.min(maxBufLen, config.maxMaxBufferLength); + if (func) { + return function () { + for (var _len = arguments.length, args = new Array(_len), _key = 0; _key < _len; _key++) { + args[_key] = arguments[_key]; + } - // determine next candidate fragment to be loaded, based on current position and end of buffer position - // ensure up to `config.maxMaxBufferLength` of buffer upfront + if (args[0]) { + args[0] = formatMsg(type, args[0]); + } - var bufferInfo = BufferHelper.bufferInfo(this.mediaBuffer ? this.mediaBuffer : media, pos, config.maxBufferHole), - bufferLen = bufferInfo.len; - // Stay idle if we are still with buffer margins - if (bufferLen >= maxBufLen) { - return; - } + func.apply(global.console, args); + }; + } - // if buffer length is less than maxBufLen try to load a new fragment ... - logger["b" /* logger */].trace('buffer length of ' + bufferLen.toFixed(3) + ' is below max of ' + maxBufLen.toFixed(3) + '. checking for more payload ...'); + return noop; + } - // set next load level : this will trigger a playlist load if needed - this.level = hls.nextLoadLevel = level; + function exportLoggerFunctions(debugConfig) { + for (var _len2 = arguments.length, functions = new Array(_len2 > 1 ? _len2 - 1 : 0), _key2 = 1; _key2 < _len2; _key2++) { + functions[_key2 - 1] = arguments[_key2]; + } - 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 || levelDetails.live && this.levelLastLoaded !== level) { - this.state = State.WAITING_LEVEL; - return; + functions.forEach(function (type) { + exportedLogger[type] = debugConfig[type] ? debugConfig[type].bind(debugConfig) : consolePrintFn(type); + }); } - // 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 - // dont switch to ENDED if we need to backtrack last fragment - var fragPrevious = this.fragPrevious; - if (!levelDetails.live && fragPrevious && !fragPrevious.backtracked && fragPrevious.sn === levelDetails.endSN && !bufferInfo.nextStart) { - // fragPrevious is last fragment. retrieve level duration using last frag start offset + duration - // real duration might be lower than initial duration if there are drifts between real frag duration and playlist signaling - var duration = Math.min(media.duration, fragPrevious.start + fragPrevious.duration); - // if everything (almost) til the end is buffered, let's signal eos - // we don't compare exactly media.duration === bufferInfo.end as there could be some subtle media duration difference (audio/video offsets...) - // tolerate up to one frag duration to cope with these cases. - // also cope with almost zero last frag duration (max last frag duration with 200ms) refer to https://github.com/video-dev/hls.js/pull/657 - if (duration - Math.max(bufferInfo.end, fragPrevious.start) <= Math.max(0.2, fragPrevious.duration)) { - // Finalize the media stream - var data = {}; - if (this.altAudio) { - data.type = 'video'; - } + var enableLogs = function enableLogs(debugConfig) { + // check that console is available + if (global.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 - this.hls.trigger(events["a" /* default */].BUFFER_EOS, data); - this.state = State.ENDED; - return; + try { + exportedLogger.log(); + } catch (e) { + exportedLogger = fakeLogger; + } + } else { + exportedLogger = fakeLogger; } - } + }; + var logger = exportedLogger; - // if we have the levelDetails for the selected variant, lets continue enrichen our stream (load keys/fragments or trigger EOS, etc..) - this._fetchPayloadOrEos(pos, bufferInfo, levelDetails); - }; + /***/ }) - StreamController.prototype._fetchPayloadOrEos = function _fetchPayloadOrEos(pos, bufferInfo, levelDetails) { - var fragPrevious = this.fragPrevious, - level = this.level, - fragments = levelDetails.fragments, - fragLen = fragments.length; + /******/ })["default"]; + }); +//# sourceMappingURL=hls.js.map - // empty playlist - if (fragLen === 0) { - return; - } + /***/ }), - // find fragment index, contiguous with end of buffer position - var start = fragments[0].start, - end = fragments[fragLen - 1].start + fragments[fragLen - 1].duration, - bufferEnd = bufferInfo.end, - frag = void 0; + /***/ "./node_modules/node-libs-browser/node_modules/process/browser.js": + /*!************************************************************************!*\ + !*** ./node_modules/node-libs-browser/node_modules/process/browser.js ***! + \************************************************************************/ + /*! no static exports found */ + /***/ (function(module, exports) { - if (levelDetails.initSegment && !levelDetails.initSegment.data) { - frag = levelDetails.initSegment; - } else { - // in case of live playlist we need to ensure that requested position is not located before playlist start - if (levelDetails.live) { - var initialLiveManifestSize = this.config.initialLiveManifestSize; - if (fragLen < initialLiveManifestSize) { - logger["b" /* logger */].warn('Can not start playback of a level, reason: not enough fragments ' + fragLen + ' < ' + initialLiveManifestSize); - return; - } +// shim for using process in browser + var process = module.exports = {}; - frag = this._ensureFragmentAtLivePoint(levelDetails, bufferEnd, start, end, fragPrevious, fragments, fragLen); - // if it explicitely returns null don't load any fragment and exit function now - if (frag === null) { - return; - } - } else { - // VoD playlist: if bufferEnd before start of playlist, load first fragment - if (bufferEnd < start) { - frag = fragments[0]; - } - } - } - if (!frag) { - frag = this._findFragment(start, fragPrevious, fragLen, fragments, bufferEnd, end, levelDetails); - } +// cached from whatever global is present so that test runners that stub it +// don't break things. But we need to wrap it in a try catch in case it is +// wrapped in strict mode code which doesn't define any globals. It's inside a +// function because try/catches deoptimize in certain engines. - if (frag) { - if (frag.encrypted) { - logger["b" /* logger */].log('Loading key for ' + frag.sn + ' of [' + levelDetails.startSN + ' ,' + levelDetails.endSN + '],level ' + level); - this._loadKey(frag); - } else { - logger["b" /* logger */].log('Loading ' + frag.sn + ' of [' + levelDetails.startSN + ' ,' + levelDetails.endSN + '],level ' + level + ', currentTime:' + pos.toFixed(3) + ',bufferEnd:' + bufferEnd.toFixed(3)); - this._loadFragment(frag); - } - } - }; + var cachedSetTimeout; + var cachedClearTimeout; - StreamController.prototype._ensureFragmentAtLivePoint = function _ensureFragmentAtLivePoint(levelDetails, bufferEnd, start, end, fragPrevious, fragments, fragLen) { - var config = this.hls.config, - media = this.media; + function defaultSetTimout() { + throw new Error('setTimeout has not been defined'); + } + function defaultClearTimeout () { + throw new Error('clearTimeout has not been defined'); + } + (function () { + try { + if (typeof setTimeout === 'function') { + cachedSetTimeout = setTimeout; + } else { + cachedSetTimeout = defaultSetTimout; + } + } catch (e) { + cachedSetTimeout = defaultSetTimout; + } + try { + if (typeof clearTimeout === 'function') { + cachedClearTimeout = clearTimeout; + } else { + cachedClearTimeout = defaultClearTimeout; + } + } catch (e) { + cachedClearTimeout = defaultClearTimeout; + } + } ()) + function runTimeout(fun) { + if (cachedSetTimeout === setTimeout) { + //normal enviroments in sane situations + return setTimeout(fun, 0); + } + // if setTimeout wasn't available but was latter defined + if ((cachedSetTimeout === defaultSetTimout || !cachedSetTimeout) && setTimeout) { + cachedSetTimeout = setTimeout; + return setTimeout(fun, 0); + } + try { + // when when somebody has screwed with setTimeout but no I.E. maddness + return cachedSetTimeout(fun, 0); + } catch(e){ + try { + // When we are in I.E. but the script has been evaled so I.E. doesn't trust the global object when called normally + return cachedSetTimeout.call(null, fun, 0); + } catch(e){ + // same as above but when it's a version of I.E. that must have the global object for 'this', hopfully our context correct otherwise it will throw a global error + return cachedSetTimeout.call(this, fun, 0); + } + } - var frag = void 0; - // check if requested position is within seekable boundaries : - // logger.log(`start/pos/bufEnd/seeking:${start.toFixed(3)}/${pos.toFixed(3)}/${bufferEnd.toFixed(3)}/${this.media.seeking}`); - var maxLatency = config.liveMaxLatencyDuration !== undefined ? config.liveMaxLatencyDuration : config.liveMaxLatencyDurationCount * levelDetails.targetduration; + } + function runClearTimeout(marker) { + if (cachedClearTimeout === clearTimeout) { + //normal enviroments in sane situations + return clearTimeout(marker); + } + // if clearTimeout wasn't available but was latter defined + if ((cachedClearTimeout === defaultClearTimeout || !cachedClearTimeout) && clearTimeout) { + cachedClearTimeout = clearTimeout; + return clearTimeout(marker); + } + try { + // when when somebody has screwed with setTimeout but no I.E. maddness + return cachedClearTimeout(marker); + } catch (e){ + try { + // When we are in I.E. but the script has been evaled so I.E. doesn't trust the global object when called normally + return cachedClearTimeout.call(null, marker); + } catch (e){ + // same as above but when it's a version of I.E. that must have the global object for 'this', hopfully our context correct otherwise it will throw a global error. + // Some versions of I.E. have different rules for clearTimeout vs setTimeout + return cachedClearTimeout.call(this, marker); + } + } - if (bufferEnd < Math.max(start - config.maxFragLookUpTolerance, end - maxLatency)) { - var liveSyncPosition = this.liveSyncPosition = this.computeLivePosition(start, levelDetails); - logger["b" /* logger */].log('buffer end: ' + bufferEnd.toFixed(3) + ' is located too far from the end of live sliding playlist, reset currentTime to : ' + liveSyncPosition.toFixed(3)); - bufferEnd = liveSyncPosition; - if (media && media.readyState && media.duration > liveSyncPosition) { - media.currentTime = liveSyncPosition; - } - this.nextLoadPosition = liveSyncPosition; - } - // if end of buffer greater than live edge, don't load any fragment - // this could happen if live playlist intermittently slides in the past. - // level 1 loaded [182580161,182580167] - // level 1 loaded [182580162,182580169] - // Loading 182580168 of [182580162 ,182580169],level 1 .. - // Loading 182580169 of [182580162 ,182580169],level 1 .. - // level 1 loaded [182580162,182580168] <============= here we should have bufferEnd > end. in that case break to avoid reloading 182580168 - // level 1 loaded [182580164,182580171] - // - // don't return null in case media not loaded yet (readystate === 0) - if (levelDetails.PTSKnown && bufferEnd > end && media && media.readyState) { - return null; - } + } + var queue = []; + var draining = false; + var currentQueue; + var queueIndex = -1; - if (this.startFragRequested && !levelDetails.PTSKnown) { - /* we are switching level on live playlist, but we don't have any PTS info for that quality level ... - try to load frag matching with next SN. - even if SN are not synchronized between playlists, loading this frag will help us - compute playlist sliding and find the right one after in case it was not the right consecutive one */ - if (fragPrevious) { - if (levelDetails.hasProgramDateTime) { - // Relies on PDT in order to switch bitrates (Support EXT-X-DISCONTINUITY without EXT-X-DISCONTINUITY-SEQUENCE) - logger["b" /* logger */].log('live playlist, switching playlist, load frag with same PDT: ' + fragPrevious.programDateTime); - frag = findFragmentByPDT(fragments, fragPrevious.endProgramDateTime, config.maxFragLookUpTolerance); - } else { - // Uses buffer and sequence number to calculate switch segment (required if using EXT-X-DISCONTINUITY-SEQUENCE) - var targetSN = fragPrevious.sn + 1; - if (targetSN >= levelDetails.startSN && targetSN <= levelDetails.endSN) { - var fragNext = fragments[targetSN - levelDetails.startSN]; - if (fragPrevious.cc === fragNext.cc) { - frag = fragNext; - logger["b" /* logger */].log('live playlist, switching playlist, load frag with next SN: ' + frag.sn); - } - } - // next frag SN not available (or not with same continuity counter) - // look for a frag sharing the same CC - if (!frag) { - frag = binary_search.search(fragments, function (frag) { - return fragPrevious.cc - frag.cc; - }); - if (frag) { - logger["b" /* logger */].log('live playlist, switching playlist, load frag with same CC: ' + frag.sn); - } - } - } - } - if (!frag) { - /* we have no idea about which fragment should be loaded. - so let's load mid fragment. it will help computing playlist sliding and find the right one - */ - frag = fragments[Math.min(fragLen - 1, Math.round(fragLen / 2))]; - logger["b" /* logger */].log('live playlist, switching playlist, unknown, load middle frag : ' + frag.sn); - } - } + function cleanUpNextTick() { + if (!draining || !currentQueue) { + return; + } + draining = false; + if (currentQueue.length) { + queue = currentQueue.concat(queue); + } else { + queueIndex = -1; + } + if (queue.length) { + drainQueue(); + } + } - return frag; - }; + function drainQueue() { + if (draining) { + return; + } + var timeout = runTimeout(cleanUpNextTick); + draining = true; - StreamController.prototype._findFragment = function _findFragment(start, fragPrevious, fragLen, fragments, bufferEnd, end, levelDetails) { - var config = this.hls.config; - var frag = void 0; + var len = queue.length; + while(len) { + currentQueue = queue; + queue = []; + while (++queueIndex < len) { + if (currentQueue) { + currentQueue[queueIndex].run(); + } + } + queueIndex = -1; + len = queue.length; + } + currentQueue = null; + draining = false; + runClearTimeout(timeout); + } - if (bufferEnd < end) { - var lookupTolerance = bufferEnd > end - config.maxFragLookUpTolerance ? 0 : config.maxFragLookUpTolerance; - // 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 = findFragmentByPTS(fragPrevious, fragments, bufferEnd, lookupTolerance); - } else { - // reach end of playlist - frag = fragments[fragLen - 1]; - } - if (frag) { - var curSNIdx = frag.sn - levelDetails.startSN; - var sameLevel = fragPrevious && frag.level === fragPrevious.level; - var prevFrag = fragments[curSNIdx - 1]; - var nextFrag = fragments[curSNIdx + 1]; - // logger.log('find SN matching with pos:' + bufferEnd + ':' + frag.sn); - if (fragPrevious && frag.sn === fragPrevious.sn) { - if (sameLevel && !frag.backtracked) { - if (frag.sn < levelDetails.endSN) { - var deltaPTS = fragPrevious.deltaPTS; - // if there is a significant delta between audio and video, larger than max allowed hole, - // and if previous remuxed fragment did not start with a keyframe. (fragPrevious.dropped) - // let's try to load previous fragment again to get last keyframe - // then we will reload again current fragment (that way we should be able to fill the buffer hole ...) - if (deltaPTS && deltaPTS > config.maxBufferHole && fragPrevious.dropped && curSNIdx) { - frag = prevFrag; - logger["b" /* logger */].warn('SN just loaded, with large PTS gap between audio and video, maybe frag is not starting with a keyframe ? load previous one to try to overcome this'); - } else { - frag = nextFrag; - logger["b" /* logger */].log('SN just loaded, load next one: ' + frag.sn, frag); - } - } else { - frag = null; - } - } else if (frag.backtracked) { - // Only backtrack a max of 1 consecutive fragment to prevent sliding back too far when little or no frags start with keyframes - if (nextFrag && nextFrag.backtracked) { - logger["b" /* logger */].warn('Already backtracked from fragment ' + nextFrag.sn + ', will not backtrack to fragment ' + frag.sn + '. Loading fragment ' + nextFrag.sn); - frag = nextFrag; - } else { - // If a fragment has dropped frames and it's in a same level/sequence, load the previous fragment to try and find the keyframe - // Reset the dropped count now since it won't be reset until we parse the fragment again, which prevents infinite backtracking on the same segment - logger["b" /* logger */].warn('Loaded fragment with dropped frames, backtracking 1 segment to find a keyframe'); - frag.dropped = 0; - if (prevFrag) { - frag = prevFrag; - frag.backtracked = true; - } else if (curSNIdx) { - // can't backtrack on very first fragment - frag = null; - } - } - } - } - } - return frag; - }; + process.nextTick = function (fun) { + var args = new Array(arguments.length - 1); + if (arguments.length > 1) { + for (var i = 1; i < arguments.length; i++) { + args[i - 1] = arguments[i]; + } + } + queue.push(new Item(fun, args)); + if (queue.length === 1 && !draining) { + runTimeout(drainQueue); + } + }; - StreamController.prototype._loadKey = function _loadKey(frag) { - this.state = State.KEY_LOADING; - this.hls.trigger(events["a" /* default */].KEY_LOADING, { frag: frag }); - }; +// v8 likes predictible objects + function Item(fun, array) { + this.fun = fun; + this.array = array; + } + Item.prototype.run = function () { + this.fun.apply(null, this.array); + }; + process.title = 'browser'; + process.browser = true; + process.env = {}; + process.argv = []; + process.version = ''; // empty string to avoid regexp issues + process.versions = {}; - StreamController.prototype._loadFragment = function _loadFragment(frag) { - // Check if fragment is not loaded - var fragState = this.fragmentTracker.getState(frag); + function noop() {} - this.fragCurrent = frag; - this.startFragRequested = true; - // Don't update nextLoadPosition for fragments which are not buffered - if (Object(number_isFinite["a" /* isFiniteNumber */])(frag.sn) && !frag.bitrateTest) { - this.nextLoadPosition = frag.start + frag.duration; - } + process.on = noop; + process.addListener = noop; + process.once = noop; + process.off = noop; + process.removeListener = noop; + process.removeAllListeners = noop; + process.emit = noop; - // Allow backtracked fragments to load - if (frag.backtracked || fragState === FragmentState.NOT_LOADED || fragState === FragmentState.PARTIAL) { - frag.autoLevel = this.hls.autoLevelEnabled; - frag.bitrateTest = this.bitrateTest; + process.binding = function (name) { + throw new Error('process.binding is not supported'); + }; - this.hls.trigger(events["a" /* default */].FRAG_LOADING, { frag: frag }); - // lazy demuxer init, as this could take some time ... do it during frag loading - if (!this.demuxer) { - this.demuxer = new demux_demuxer(this.hls, 'main'); - } + process.cwd = function () { return '/' }; + process.chdir = function (dir) { + throw new Error('process.chdir is not supported'); + }; + process.umask = function() { return 0; }; - this.state = State.FRAG_LOADING; - } else if (fragState === FragmentState.APPENDING) { - // Lower the buffer size and try again - if (this._reduceMaxBufferLength(frag.duration)) { - this.fragmentTracker.removeFragment(frag); - } - } - }; - StreamController.prototype.getBufferedFrag = function getBufferedFrag(position) { - return this.fragmentTracker.getBufferedFrag(position, playlist_loader.LevelType.MAIN); - }; + /***/ }), - StreamController.prototype.followingBufferedFrag = function followingBufferedFrag(frag) { - if (frag) { - // try to get range of next fragment (500ms after this range) - return this.getBufferedFrag(frag.endPTS + 0.5); - } - return null; - }; + /***/ "./node_modules/style-loader/lib/addStyles.js": + /*!****************************************************!*\ + !*** ./node_modules/style-loader/lib/addStyles.js ***! + \****************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - StreamController.prototype._checkFragmentChanged = function _checkFragmentChanged() { - var fragPlayingCurrent = void 0, - currentTime = void 0, - video = this.media; - if (video && video.readyState && video.seeking === false) { - 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 (currentTime > this.lastCurrentTime) { - this.lastCurrentTime = currentTime; - } + /* + MIT License http://www.opensource.org/licenses/mit-license.php + Author Tobias Koppers @sokra +*/ - if (BufferHelper.isBuffered(video, currentTime)) { - fragPlayingCurrent = this.getBufferedFrag(currentTime); - } else if (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.getBufferedFrag(currentTime + 0.1); - } - if (fragPlayingCurrent) { - var fragPlaying = fragPlayingCurrent; - if (fragPlaying !== this.fragPlaying) { - this.hls.trigger(events["a" /* default */].FRAG_CHANGED, { frag: fragPlaying }); - var fragPlayingLevel = fragPlaying.level; - if (!this.fragPlaying || this.fragPlaying.level !== fragPlayingLevel) { - this.hls.trigger(events["a" /* default */].LEVEL_SWITCHED, { level: fragPlayingLevel }); - } + var stylesInDom = {}; - this.fragPlaying = fragPlaying; - } - } - } - }; + var memoize = function (fn) { + var memo; - /* - on immediate level switch : - - pause playback if playing - - cancel any pending load request - - and trigger a buffer flush - */ + return function () { + if (typeof memo === "undefined") memo = fn.apply(this, arguments); + return memo; + }; + }; + var isOldIE = memoize(function () { + // Test for IE <= 9 as proposed by Browserhacks + // @see http://browserhacks.com/#hack-e71d8692f65334173fee715c222cb805 + // Tests for existence of standard globals is to allow style-loader + // to operate correctly into non-standard environments + // @see https://github.com/webpack-contrib/style-loader/issues/177 + return window && document && document.all && !window.atob; + }); - StreamController.prototype.immediateLevelSwitch = function immediateLevelSwitch() { - logger["b" /* logger */].log('immediateLevelSwitch'); - if (!this.immediateSwitch) { - this.immediateSwitch = true; - var media = this.media, - previouslyPaused = void 0; - if (media) { - previouslyPaused = media.paused; - media.pause(); - } else { - // don't restart playback after instant level switch in case media not attached - previouslyPaused = true; - } - this.previouslyPaused = previouslyPaused; - } - var fragCurrent = this.fragCurrent; - if (fragCurrent && fragCurrent.loader) { - fragCurrent.loader.abort(); + var getTarget = function (target) { + return document.querySelector(target); + }; + + var getElement = (function (fn) { + var memo = {}; + + return function(target) { + // If passing function in options, then use it for resolve "head" element. + // Useful for Shadow Root style i.e + // { + // insertInto: function () { return document.querySelector("#foo").shadowRoot } + // } + if (typeof target === 'function') { + return target(); + } + if (typeof memo[target] === "undefined") { + var styleTarget = getTarget.call(this, target); + // Special case to return head of iframe instead of iframe itself + if (window.HTMLIFrameElement && styleTarget instanceof window.HTMLIFrameElement) { + try { + // This will throw an exception if access to iframe is blocked + // due to cross-origin restrictions + styleTarget = styleTarget.contentDocument.head; + } catch(e) { + styleTarget = null; } + } + memo[target] = styleTarget; + } + return memo[target] + }; + })(); - this.fragCurrent = null; - // flush everything - this.flushMainBuffer(0, Number.POSITIVE_INFINITY); - }; + var singleton = null; + var singletonCounter = 0; + var stylesInsertedAtTop = []; - /** - * on immediate level switch end, after new fragment has been buffered: - * - nudge video decoder by slightly adjusting video currentTime (if currentTime buffered) - * - resume the playback if needed - */ + var fixUrls = __webpack_require__(/*! ./urls */ "./node_modules/style-loader/lib/urls.js"); + module.exports = function(list, options) { + if (typeof DEBUG !== "undefined" && DEBUG) { + if (typeof document !== "object") throw new Error("The style-loader cannot be used in a non-browser environment"); + } - StreamController.prototype.immediateLevelSwitchEnd = function immediateLevelSwitchEnd() { - var media = this.media; - if (media && media.buffered.length) { - this.immediateSwitch = false; - if (BufferHelper.isBuffered(media, media.currentTime)) { - // only nudge if currentTime is buffered - media.currentTime -= 0.0001; - } - if (!this.previouslyPaused) { - media.play(); - } - } - }; + options = options || {}; - /** - * 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 - */ + options.attrs = typeof options.attrs === "object" ? options.attrs : {}; + // Force single-tag solution on IE6-9, which has a hard limit on the # of <style> + // tags it will allow on a page + if (!options.singleton && typeof options.singleton !== "boolean") options.singleton = isOldIE(); - StreamController.prototype.nextLevelSwitch = function nextLevelSwitch() { - var media = this.media; - // ensure that media is defined and that metadata are available (to retrieve currentTime) - if (media && media.readyState) { - var fetchdelay = void 0, - fragPlayingCurrent = void 0, - nextBufferedFrag = void 0; - fragPlayingCurrent = this.getBufferedFrag(media.currentTime); - if (fragPlayingCurrent && fragPlayingCurrent.startPTS > 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.startPTS - 1); - } - if (!media.paused) { - // add a safety delay of 1s - var nextLevelId = this.hls.nextLoadLevel, - nextLevel = this.levels[nextLevelId], - fragLastKbps = this.fragLastKbps; - if (fragLastKbps && this.fragCurrent) { - fetchdelay = this.fragCurrent.duration * nextLevel.bitrate / (1000 * fragLastKbps) + 1; - } else { - fetchdelay = 0; - } - } else { - fetchdelay = 0; - } - // logger.log('fetchdelay:'+fetchdelay); - // find buffer range that will be reached once new fragment will be fetched - nextBufferedFrag = this.getBufferedFrag(media.currentTime + fetchdelay); - if (nextBufferedFrag) { - // we can flush buffer range following this one without stalling playback - nextBufferedFrag = this.followingBufferedFrag(nextBufferedFrag); - if (nextBufferedFrag) { - // if we are here, we can also cancel any loading/demuxing in progress, as they are useless - var fragCurrent = this.fragCurrent; - if (fragCurrent && fragCurrent.loader) { - fragCurrent.loader.abort(); - } + // By default, add <style> tags to the <head> element + if (!options.insertInto) options.insertInto = "head"; - this.fragCurrent = null; - // start flush position is the start PTS of next buffered frag. - // we use frag.naxStartPTS which is max(audio startPTS, video startPTS). - // in case there is a small PTS Delta between audio and video, using maxStartPTS avoids flushing last samples from current fragment - this.flushMainBuffer(nextBufferedFrag.maxStartPTS, Number.POSITIVE_INFINITY); - } - } - } - }; + // By default, add <style> tags to the bottom of the target + if (!options.insertAt) options.insertAt = "bottom"; - StreamController.prototype.flushMainBuffer = function flushMainBuffer(startOffset, endOffset) { - this.state = State.BUFFER_FLUSHING; - var flushScope = { startOffset: startOffset, endOffset: endOffset }; - // if alternate audio tracks are used, only flush video, otherwise flush everything - if (this.altAudio) { - flushScope.type = 'video'; - } + var styles = listToStyles(list, options); - this.hls.trigger(events["a" /* default */].BUFFER_FLUSHING, flushScope); - }; + addStylesToDom(styles, options); - StreamController.prototype.onMediaAttached = function onMediaAttached(data) { - var media = this.media = this.mediaBuffer = data.media; - this.onvseeking = this.onMediaSeeking.bind(this); - this.onvseeked = this.onMediaSeeked.bind(this); - this.onvended = this.onMediaEnded.bind(this); - media.addEventListener('seeking', this.onvseeking); - media.addEventListener('seeked', this.onvseeked); - media.addEventListener('ended', this.onvended); - var config = this.config; - if (this.levels && config.autoStartLoad) { - this.hls.startLoad(config.startPosition); - } + return function update (newList) { + var mayRemove = []; - this.gapController = new gap_controller(config, media, this.fragmentTracker, this.hls); - }; + for (var i = 0; i < styles.length; i++) { + var item = styles[i]; + var domStyle = stylesInDom[item.id]; - StreamController.prototype.onMediaDetaching = function onMediaDetaching() { - var media = this.media; - if (media && media.ended) { - logger["b" /* logger */].log('MSE detaching and video ended, reset startPosition'); - this.startPosition = this.lastCurrentTime = 0; - } + domStyle.refs--; + mayRemove.push(domStyle); + } - // reset fragment backtracked flag - var levels = this.levels; - if (levels) { - levels.forEach(function (level) { - if (level.details) { - level.details.fragments.forEach(function (fragment) { - fragment.backtracked = undefined; - }); - } - }); - } - // remove video listeners - if (media) { - media.removeEventListener('seeking', this.onvseeking); - media.removeEventListener('seeked', this.onvseeked); - media.removeEventListener('ended', this.onvended); - this.onvseeking = this.onvseeked = this.onvended = null; - } - this.media = this.mediaBuffer = null; - this.loadedmetadata = false; - this.stopLoad(); - }; + if(newList) { + var newStyles = listToStyles(newList, options); + addStylesToDom(newStyles, options); + } - StreamController.prototype.onMediaSeeking = function onMediaSeeking() { - var media = this.media, - currentTime = media ? media.currentTime : undefined, - config = this.config; - if (Object(number_isFinite["a" /* isFiniteNumber */])(currentTime)) { - logger["b" /* logger */].log('media seeking to ' + currentTime.toFixed(3)); - } + for (var i = 0; i < mayRemove.length; i++) { + var domStyle = mayRemove[i]; - var mediaBuffer = this.mediaBuffer ? this.mediaBuffer : media; - var bufferInfo = BufferHelper.bufferInfo(mediaBuffer, currentTime, this.config.maxBufferHole); - if (this.state === State.FRAG_LOADING) { - var fragCurrent = this.fragCurrent; - // check if we are seeking to a unbuffered area AND if frag loading is in progress - if (bufferInfo.len === 0 && fragCurrent) { - var tolerance = config.maxFragLookUpTolerance, - fragStartOffset = fragCurrent.start - tolerance, - fragEndOffset = fragCurrent.start + fragCurrent.duration + tolerance; - // check if we 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) { - logger["b" /* logger */].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; - } else { - logger["b" /* logger */].log('seeking outside of buffer but within currently loaded fragment range'); - } - } - } else if (this.state === State.ENDED) { - // if seeking to unbuffered area, clean up fragPrevious - if (bufferInfo.len === 0) { - this.fragPrevious = 0; - } + if(domStyle.refs === 0) { + for (var j = 0; j < domStyle.parts.length; j++) domStyle.parts[j](); - // switch to IDLE state to check for potential new fragment - this.state = State.IDLE; - } - if (media) { - this.lastCurrentTime = currentTime; - } + delete stylesInDom[domStyle.id]; + } + } + }; + }; - // in case seeking occurs although no media buffered, adjust startPosition and nextLoadPosition to seek target - if (!this.loadedmetadata) { - this.nextLoadPosition = this.startPosition = currentTime; - } + function addStylesToDom (styles, options) { + for (var i = 0; i < styles.length; i++) { + var item = styles[i]; + var domStyle = stylesInDom[item.id]; - // tick to speed up processing - this.tick(); - }; + if(domStyle) { + domStyle.refs++; - StreamController.prototype.onMediaSeeked = function onMediaSeeked() { - var media = this.media, - currentTime = media ? media.currentTime : undefined; - if (Object(number_isFinite["a" /* isFiniteNumber */])(currentTime)) { - logger["b" /* logger */].log('media seeked to ' + currentTime.toFixed(3)); - } + for(var j = 0; j < domStyle.parts.length; j++) { + domStyle.parts[j](item.parts[j]); + } - // tick to speed up FRAGMENT_PLAYING triggering - this.tick(); - }; + for(; j < item.parts.length; j++) { + domStyle.parts.push(addStyle(item.parts[j], options)); + } + } else { + var parts = []; - StreamController.prototype.onMediaEnded = function onMediaEnded() { - logger["b" /* logger */].log('media ended'); - // reset startPosition and lastCurrentTime to restart playback @ stream beginning - this.startPosition = this.lastCurrentTime = 0; - }; + for(var j = 0; j < item.parts.length; j++) { + parts.push(addStyle(item.parts[j], options)); + } - StreamController.prototype.onManifestLoading = function onManifestLoading() { - // reset buffer on manifest loading - logger["b" /* logger */].log('trigger BUFFER_RESET'); - this.hls.trigger(events["a" /* default */].BUFFER_RESET); - this.fragmentTracker.removeAllFragments(); - this.stalled = false; - this.startPosition = this.lastCurrentTime = 0; - }; + stylesInDom[item.id] = {id: item.id, refs: 1, parts: parts}; + } + } + } - StreamController.prototype.onManifestParsed = function onManifestParsed(data) { - var aac = false, - heaac = false, - codec = void 0; - 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; - } + function listToStyles (list, options) { + var styles = []; + var newStyles = {}; - if (codec.indexOf('mp4a.40.5') !== -1) { - heaac = true; - } - } - }); - this.audioCodecSwitch = aac && heaac; - if (this.audioCodecSwitch) { - logger["b" /* logger */].log('both AAC/HE-AAC audio found in levels; declaring level codec as HE-AAC'); - } + for (var i = 0; i < list.length; i++) { + var item = list[i]; + var id = options.base ? item[0] + options.base : item[0]; + var css = item[1]; + var media = item[2]; + var sourceMap = item[3]; + var part = {css: css, media: media, sourceMap: sourceMap}; - this.levels = data.levels; - this.startFragRequested = false; - var config = this.config; - if (config.autoStartLoad || this.forceStartLoad) { - this.hls.startLoad(config.startPosition); - } - }; + if(!newStyles[id]) styles.push(newStyles[id] = {id: id, parts: [part]}); + else newStyles[id].parts.push(part); + } - StreamController.prototype.onLevelLoaded = function onLevelLoaded(data) { - var newDetails = data.details; - var newLevelId = data.level; - var lastLevel = this.levels[this.levelLastLoaded]; - var curLevel = this.levels[newLevelId]; - var duration = newDetails.totalduration; - var sliding = 0; - - logger["b" /* logger */].log('level ' + newLevelId + ' loaded [' + newDetails.startSN + ',' + newDetails.endSN + '],duration:' + duration); - - if (newDetails.live) { - var curDetails = curLevel.details; - if (curDetails && newDetails.fragments.length > 0) { - // we already have details for that level, merge them - mergeDetails(curDetails, newDetails); - sliding = newDetails.fragments[0].start; - this.liveSyncPosition = this.computeLivePosition(sliding, curDetails); - if (newDetails.PTSKnown && Object(number_isFinite["a" /* isFiniteNumber */])(sliding)) { - logger["b" /* logger */].log('live playlist sliding:' + sliding.toFixed(3)); - } else { - logger["b" /* logger */].log('live playlist - outdated PTS, unknown sliding'); - alignStream(this.fragPrevious, lastLevel, newDetails); - } - } else { - logger["b" /* logger */].log('live playlist - first load, unknown sliding'); - newDetails.PTSKnown = false; - alignStream(this.fragPrevious, lastLevel, newDetails); - } - } else { - newDetails.PTSKnown = false; - } - // override level info - curLevel.details = newDetails; - this.levelLastLoaded = newLevelId; - this.hls.trigger(events["a" /* default */].LEVEL_UPDATED, { details: newDetails, level: newLevelId }); - - if (this.startFragRequested === false) { - // 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 = newDetails.startTimeOffset; - if (Object(number_isFinite["a" /* isFiniteNumber */])(startTimeOffset)) { - if (startTimeOffset < 0) { - logger["b" /* logger */].log('negative start time offset ' + startTimeOffset + ', count from end of last fragment'); - startTimeOffset = sliding + duration + startTimeOffset; - } - logger["b" /* logger */].log('start time offset found in playlist, adjust startPosition to ' + startTimeOffset); - this.startPosition = startTimeOffset; - } else { - // if live playlist, set start position to be fragment N-this.config.liveSyncDurationCount (usually 3) - if (newDetails.live) { - this.startPosition = this.computeLivePosition(sliding, newDetails); - logger["b" /* logger */].log('configure startPosition to ' + this.startPosition); - } else { - this.startPosition = 0; - } - } - this.lastCurrentTime = this.startPosition; - } - this.nextLoadPosition = this.startPosition; - } - // only switch batck to IDLE state if we were waiting for level to start downloading a new fragment - if (this.state === State.WAITING_LEVEL) { - this.state = State.IDLE; - } + return styles; + } - // trigger handler right now - this.tick(); - }; + function insertStyleElement (options, style) { + var target = getElement(options.insertInto) - StreamController.prototype.onKeyLoaded = function onKeyLoaded() { - if (this.state === State.KEY_LOADING) { - this.state = State.IDLE; - this.tick(); - } - }; + if (!target) { + throw new Error("Couldn't find a style target. This probably means that the value for the 'insertInto' parameter is invalid."); + } - StreamController.prototype.onFragLoaded = function onFragLoaded(data) { - var fragCurrent = this.fragCurrent, - hls = this.hls, - levels = this.levels, - media = this.media; - - var fragLoaded = data.frag; - if (this.state === State.FRAG_LOADING && fragCurrent && fragLoaded.type === 'main' && fragLoaded.level === fragCurrent.level && fragLoaded.sn === fragCurrent.sn) { - var stats = data.stats; - var currentLevel = levels[fragCurrent.level]; - var details = currentLevel.details; - // reset frag bitrate test in any case after frag loaded event - // if this frag was loaded to perform a bitrate test AND if hls.nextLoadLevel is greater than 0 - // then this means that we should be able to load a fragment at a higher quality level - this.bitrateTest = false; - this.stats = stats; - - logger["b" /* logger */].log('Loaded ' + fragCurrent.sn + ' of [' + details.startSN + ' ,' + details.endSN + '],level ' + fragCurrent.level); - if (fragLoaded.bitrateTest && hls.nextLoadLevel) { - // switch back to IDLE state ... we just loaded a fragment to determine adequate start bitrate and initialize autoswitch algo - this.state = State.IDLE; - this.startFragRequested = false; - stats.tparsed = stats.tbuffered = window.performance.now(); - hls.trigger(events["a" /* default */].FRAG_BUFFERED, { stats: stats, frag: fragCurrent, id: 'main' }); - this.tick(); - } else if (fragLoaded.sn === 'initSegment') { - this.state = State.IDLE; - stats.tparsed = stats.tbuffered = window.performance.now(); - details.initSegment.data = data.payload; - hls.trigger(events["a" /* default */].FRAG_BUFFERED, { stats: stats, frag: fragCurrent, id: 'main' }); - this.tick(); - } else { - logger["b" /* logger */].log('Parsing ' + fragCurrent.sn + ' of [' + details.startSN + ' ,' + details.endSN + '],level ' + fragCurrent.level + ', cc ' + fragCurrent.cc); - this.state = State.PARSING; - this.pendingBuffering = true; - this.appended = false; - - // Bitrate test frags are not usually buffered so the fragment tracker ignores them. If Hls.js decides to buffer - // it (and therefore ends up at this line), then the fragment tracker needs to be manually informed. - if (fragLoaded.bitrateTest) { - fragLoaded.bitrateTest = false; - this.fragmentTracker.onFragLoaded({ - frag: fragLoaded - }); - } + var lastStyleElementInsertedAtTop = stylesInsertedAtTop[stylesInsertedAtTop.length - 1]; + + if (options.insertAt === "top") { + if (!lastStyleElementInsertedAtTop) { + target.insertBefore(style, target.firstChild); + } else if (lastStyleElementInsertedAtTop.nextSibling) { + target.insertBefore(style, lastStyleElementInsertedAtTop.nextSibling); + } else { + target.appendChild(style); + } + stylesInsertedAtTop.push(style); + } else if (options.insertAt === "bottom") { + target.appendChild(style); + } else if (typeof options.insertAt === "object" && options.insertAt.before) { + var nextSibling = getElement(options.insertInto + " " + options.insertAt.before); + target.insertBefore(style, nextSibling); + } else { + throw new Error("[Style Loader]\n\n Invalid value for parameter 'insertAt' ('options.insertAt') found.\n Must be 'top', 'bottom', or Object.\n (https://github.com/webpack-contrib/style-loader#insertat)\n"); + } + } - // time Offset is accurate if level PTS is known, or if playlist is not sliding (not live) and if media is not seeking (this is to overcome potential timestamp drifts between playlists and fragments) - var accurateTimeOffset = !(media && media.seeking) && (details.PTSKnown || !details.live); - var initSegmentData = details.initSegment ? details.initSegment.data : []; - var audioCodec = this._getAudioCodec(currentLevel); + function removeStyleElement (style) { + if (style.parentNode === null) return false; + style.parentNode.removeChild(style); - // transmux the MPEG-TS data to ISO-BMFF segments - var demuxer = this.demuxer = this.demuxer || new demux_demuxer(this.hls, 'main'); - demuxer.push(data.payload, initSegmentData, audioCodec, currentLevel.videoCodec, fragCurrent, details.totalduration, accurateTimeOffset); - } - } - this.fragLoadError = 0; - }; + var idx = stylesInsertedAtTop.indexOf(style); + if(idx >= 0) { + stylesInsertedAtTop.splice(idx, 1); + } + } - StreamController.prototype.onFragParsingInitSegment = function onFragParsingInitSegment(data) { - var fragCurrent = this.fragCurrent; - var fragNew = data.frag; + function createStyleElement (options) { + var style = document.createElement("style"); - if (fragCurrent && data.id === 'main' && fragNew.sn === fragCurrent.sn && fragNew.level === fragCurrent.level && this.state === State.PARSING) { - var tracks = data.tracks, - trackName = void 0, - track = void 0; + options.attrs.type = "text/css"; - // if audio track is expected to come from audio stream controller, discard any coming from main - if (tracks.audio && this.altAudio) { - delete tracks.audio; - } + addAttrs(style, options.attrs); + insertStyleElement(options, style); - // include levelCodec in audio and video tracks - track = tracks.audio; - if (track) { - var audioCodec = this.levels[this.level].audioCodec, - ua = navigator.userAgent.toLowerCase(); - if (audioCodec && this.audioCodecSwap) { - logger["b" /* logger */].log('swapping playlist audio codec'); - if (audioCodec.indexOf('mp4a.40.5') !== -1) { - audioCodec = 'mp4a.40.2'; - } else { - audioCodec = 'mp4a.40.5'; - } - } - // in case AAC and HE-AAC audio codecs are signalled in manifest - // force HE-AAC , as it seems that most browsers prefers that way, - // except for mono streams OR on FF - // these conditions might need to be reviewed ... - if (this.audioCodecSwitch) { - // don't force HE-AAC if mono stream - if (track.metadata.channelCount !== 1 && - // don't force HE-AAC if firefox - 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 && track.container !== 'audio/mpeg') { - // Exclude mpeg audio - audioCodec = 'mp4a.40.2'; - logger["b" /* logger */].log('Android: force audio codec to ' + audioCodec); - } - track.levelCodec = audioCodec; - track.id = data.id; - } - track = tracks.video; - if (track) { - track.levelCodec = this.levels[this.level].videoCodec; - track.id = data.id; - } - this.hls.trigger(events["a" /* default */].BUFFER_CODECS, tracks); - // loop through tracks that are going to be provided to bufferController - for (trackName in tracks) { - track = tracks[trackName]; - logger["b" /* logger */].log('main track:' + trackName + ',container:' + track.container + ',codecs[level/parsed]=[' + track.levelCodec + '/' + track.codec + ']'); - var initSegment = track.initSegment; - if (initSegment) { - this.appended = true; - // arm pending Buffering flag before appending a segment - this.pendingBuffering = true; - this.hls.trigger(events["a" /* default */].BUFFER_APPENDING, { type: trackName, data: initSegment, parent: 'main', content: 'initSegment' }); - } - } - // trigger handler right now - this.tick(); - } - }; + return style; + } - StreamController.prototype.onFragParsingData = function onFragParsingData(data) { - var _this2 = this; - - var fragCurrent = this.fragCurrent; - var fragNew = data.frag; - if (fragCurrent && data.id === 'main' && fragNew.sn === fragCurrent.sn && fragNew.level === fragCurrent.level && !(data.type === 'audio' && this.altAudio) && // filter out main audio if audio track is loaded through audio stream controller - this.state === State.PARSING) { - var level = this.levels[this.level], - frag = fragCurrent; - if (!Object(number_isFinite["a" /* isFiniteNumber */])(data.endPTS)) { - data.endPTS = data.startPTS + fragCurrent.duration; - data.endDTS = data.startDTS + fragCurrent.duration; - } + function createLinkElement (options) { + var link = document.createElement("link"); - if (data.hasAudio === true) { - frag.addElementaryStream(loader_fragment.ElementaryStreamTypes.AUDIO); - } + options.attrs.type = "text/css"; + options.attrs.rel = "stylesheet"; - if (data.hasVideo === true) { - frag.addElementaryStream(loader_fragment.ElementaryStreamTypes.VIDEO); - } + addAttrs(link, options.attrs); + insertStyleElement(options, link); - logger["b" /* logger */].log('Parsed ' + data.type + ',PTS:[' + data.startPTS.toFixed(3) + ',' + data.endPTS.toFixed(3) + '],DTS:[' + data.startDTS.toFixed(3) + '/' + data.endDTS.toFixed(3) + '],nb:' + data.nb + ',dropped:' + (data.dropped || 0)); + return link; + } - // Detect gaps in a fragment and try to fix it by finding a keyframe in the previous fragment (see _findFragments) - if (data.type === 'video') { - frag.dropped = data.dropped; - if (frag.dropped) { - if (!frag.backtracked) { - var levelDetails = level.details; - if (levelDetails && frag.sn === levelDetails.startSN) { - logger["b" /* logger */].warn('missing video frame(s) on first frag, appending with gap', frag.sn); - } else { - logger["b" /* logger */].warn('missing video frame(s), backtracking fragment', frag.sn); - // Return back to the IDLE state without appending to buffer - // Causes findFragments to backtrack a segment and find the keyframe - // Audio fragments arriving before video sets the nextLoadPosition, causing _findFragments to skip the backtracked fragment - this.fragmentTracker.removeFragment(frag); - frag.backtracked = true; - this.nextLoadPosition = data.startPTS; - this.state = State.IDLE; - this.fragPrevious = frag; - this.tick(); - return; - } - } else { - logger["b" /* logger */].warn('Already backtracked on this fragment, appending with the gap', frag.sn); - } - } else { - // Only reset the backtracked flag if we've loaded the frag without any dropped frames - frag.backtracked = false; - } - } + function addAttrs (el, attrs) { + Object.keys(attrs).forEach(function (key) { + el.setAttribute(key, attrs[key]); + }); + } - var drift = updateFragPTSDTS(level.details, frag, data.startPTS, data.endPTS, data.startDTS, data.endDTS), - hls = this.hls; - hls.trigger(events["a" /* default */].LEVEL_PTS_UPDATED, { details: level.details, level: this.level, drift: drift, type: data.type, start: data.startPTS, end: data.endPTS }); - // has remuxer dropped video frames located before first keyframe ? - [data.data1, data.data2].forEach(function (buffer) { - // only append in PARSING state (rationale is that an appending error could happen synchronously on first segment appending) - // in that case it is useless to append following segments - if (buffer && buffer.length && _this2.state === State.PARSING) { - _this2.appended = true; - // arm pending Buffering flag before appending a segment - _this2.pendingBuffering = true; - hls.trigger(events["a" /* default */].BUFFER_APPENDING, { type: data.type, data: buffer, parent: 'main', content: 'data' }); - } - }); - // trigger handler right now - this.tick(); - } - }; + function addStyle (obj, options) { + var style, update, remove, result; - StreamController.prototype.onFragParsed = function onFragParsed(data) { - var fragCurrent = this.fragCurrent; - var fragNew = data.frag; - if (fragCurrent && data.id === 'main' && fragNew.sn === fragCurrent.sn && fragNew.level === fragCurrent.level && this.state === State.PARSING) { - this.stats.tparsed = window.performance.now(); - this.state = State.PARSED; - this._checkAppendedParsed(); - } - }; + // If a transform function was defined, run it on the css + if (options.transform && obj.css) { + result = options.transform(obj.css); - StreamController.prototype.onAudioTrackSwitching = function onAudioTrackSwitching(data) { - // if any URL found on new audio track, it is an alternate audio track - var altAudio = !!data.url, - 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) { - logger["b" /* logger */].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.loader) { - logger["b" /* logger */].log('switching to main audio track, cancel main fragment load'); - fragCurrent.loader.abort(); - } - this.fragCurrent = null; - this.fragPrevious = null; - // destroy demuxer to force init segment generation (following audio switch) - if (this.demuxer) { - this.demuxer.destroy(); - this.demuxer = null; - } - // switch to IDLE state to load new fragment - this.state = State.IDLE; - } - var hls = this.hls; - // switching to main audio, flush all audio and trigger track switched - hls.trigger(events["a" /* default */].BUFFER_FLUSHING, { startOffset: 0, endOffset: Number.POSITIVE_INFINITY, type: 'audio' }); - hls.trigger(events["a" /* default */].AUDIO_TRACK_SWITCHED, { id: trackId }); - this.altAudio = false; - } + if (result) { + // If transform returns a value, use that instead of the original css. + // This allows running runtime transformations on the css. + obj.css = result; + } else { + // If the transform function returns a falsy value, don't add this css. + // This allows conditional loading of css + return function() { + // noop }; + } + } - StreamController.prototype.onAudioTrackSwitched = function onAudioTrackSwitched(data) { - var trackId = data.id, - 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) { - logger["b" /* logger */].log('switching on alternate audio, use video.buffered to schedule main fragment loading'); - this.mediaBuffer = videoBuffer; - } - } - this.altAudio = altAudio; - this.tick(); - }; + if (options.singleton) { + var styleIndex = singletonCounter++; - StreamController.prototype.onBufferCreated = function onBufferCreated(data) { - var tracks = data.tracks, - mediaTrack = void 0, - name = void 0, - 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') { - this.videoBuffer = tracks[type].buffer; - } - } else { - alternate = true; - } - } - if (alternate && mediaTrack) { - logger["b" /* logger */].log('alternate track found, use ' + name + '.buffered to schedule main fragment loading'); - this.mediaBuffer = mediaTrack.buffer; - } else { - this.mediaBuffer = this.media; - } - }; + style = singleton || (singleton = createStyleElement(options)); + + update = applyToSingletonTag.bind(null, style, styleIndex, false); + remove = applyToSingletonTag.bind(null, style, styleIndex, true); + + } else if ( + obj.sourceMap && + typeof URL === "function" && + typeof URL.createObjectURL === "function" && + typeof URL.revokeObjectURL === "function" && + typeof Blob === "function" && + typeof btoa === "function" + ) { + style = createLinkElement(options); + update = updateLink.bind(null, style, options); + remove = function () { + removeStyleElement(style); + + if(style.href) URL.revokeObjectURL(style.href); + }; + } else { + style = createStyleElement(options); + update = applyToTag.bind(null, style); + remove = function () { + removeStyleElement(style); + }; + } + + update(obj); + + return function updateStyle (newObj) { + if (newObj) { + if ( + newObj.css === obj.css && + newObj.media === obj.media && + newObj.sourceMap === obj.sourceMap + ) { + return; + } + + update(obj = newObj); + } else { + remove(); + } + }; + } + + var replaceText = (function () { + var textStore = []; + + return function (index, replacement) { + textStore[index] = replacement; + + return textStore.filter(Boolean).join('\n'); + }; + })(); + + function applyToSingletonTag (style, index, remove, obj) { + var css = remove ? "" : obj.css; + + if (style.styleSheet) { + style.styleSheet.cssText = replaceText(index, css); + } else { + var cssNode = document.createTextNode(css); + var childNodes = style.childNodes; + + if (childNodes[index]) style.removeChild(childNodes[index]); + + if (childNodes.length) { + style.insertBefore(cssNode, childNodes[index]); + } else { + style.appendChild(cssNode); + } + } + } + + function applyToTag (style, obj) { + var css = obj.css; + var media = obj.media; + + if(media) { + style.setAttribute("media", media) + } + + if(style.styleSheet) { + style.styleSheet.cssText = css; + } else { + while(style.firstChild) { + style.removeChild(style.firstChild); + } + + style.appendChild(document.createTextNode(css)); + } + } + + function updateLink (link, options, obj) { + var css = obj.css; + var sourceMap = obj.sourceMap; + + /* + If convertToAbsoluteUrls isn't defined, but sourcemaps are enabled + and there is no publicPath defined then lets turn convertToAbsoluteUrls + on by default. Otherwise default to the convertToAbsoluteUrls option + directly + */ + var autoFixUrls = options.convertToAbsoluteUrls === undefined && sourceMap; + + if (options.convertToAbsoluteUrls || autoFixUrls) { + css = fixUrls(css); + } + + if (sourceMap) { + // http://stackoverflow.com/a/26603875 + css += "\n/*# sourceMappingURL=data:application/json;base64," + btoa(unescape(encodeURIComponent(JSON.stringify(sourceMap)))) + " */"; + } + + var blob = new Blob([css], { type: "text/css" }); + + var oldSrc = link.href; + + link.href = URL.createObjectURL(blob); + + if(oldSrc) URL.revokeObjectURL(oldSrc); + } + + + /***/ }), + + /***/ "./node_modules/style-loader/lib/urls.js": + /*!***********************************************!*\ + !*** ./node_modules/style-loader/lib/urls.js ***! + \***********************************************/ + /*! no static exports found */ + /***/ (function(module, exports) { + + + /** + * When source maps are enabled, `style-loader` uses a link element with a data-uri to + * embed the css on the page. This breaks all relative urls because now they are relative to a + * bundle instead of the current page. + * + * One solution is to only use full urls, but that may be impossible. + * + * Instead, this function "fixes" the relative urls to be absolute according to the current page location. + * + * A rudimentary test suite is located at `test/fixUrls.js` and can be run via the `npm test` command. + * + */ + + module.exports = function (css) { + // get current location + var location = typeof window !== "undefined" && window.location; + + if (!location) { + throw new Error("fixUrls requires window.location"); + } + + // blank or null? + if (!css || typeof css !== "string") { + return css; + } + + var baseUrl = location.protocol + "//" + location.host; + var currentDir = baseUrl + location.pathname.replace(/\/[^\/]*$/, "/"); + + // convert each url(...) + /* + This regular expression is just a way to recursively match brackets within + a string. + + /url\s*\( = Match on the word "url" with any whitespace after it and then a parens + ( = Start a capturing group + (?: = Start a non-capturing group + [^)(] = Match anything that isn't a parentheses + | = OR + \( = Match a start parentheses + (?: = Start another non-capturing groups + [^)(]+ = Match anything that isn't a parentheses + | = OR + \( = Match a start parentheses + [^)(]* = Match anything that isn't a parentheses + \) = Match a end parentheses + ) = End Group + *\) = Match anything and then a close parens + ) = Close non-capturing group + * = Match anything + ) = Close capturing group + \) = Match a close parens + + /gi = Get all matches, not the first. Be case insensitive. + */ + var fixedCss = css.replace(/url\s*\(((?:[^)(]|\((?:[^)(]+|\([^)(]*\))*\))*)\)/gi, function(fullMatch, origUrl) { + // strip quotes (if they exist) + var unquotedOrigUrl = origUrl + .trim() + .replace(/^"(.*)"$/, function(o, $1){ return $1; }) + .replace(/^'(.*)'$/, function(o, $1){ return $1; }); + + // already a full url? no change + if (/^(#|data:|http:\/\/|https:\/\/|file:\/\/\/|\s*$)/i.test(unquotedOrigUrl)) { + return fullMatch; + } + + // convert the url to a full url + var newUrl; + + if (unquotedOrigUrl.indexOf("//") === 0) { + //TODO: should we add protocol? + newUrl = unquotedOrigUrl; + } else if (unquotedOrigUrl.indexOf("/") === 0) { + // path should be relative to the base url + newUrl = baseUrl + unquotedOrigUrl; // already starts with '/' + } else { + // path should be relative to current directory + newUrl = currentDir + unquotedOrigUrl.replace(/^\.\//, ""); // Strip leading './' + } + + // send back the fixed url(...) + return "url(" + JSON.stringify(newUrl) + ")"; + }); + + // send back the fixed css + return fixedCss; + }; + + + /***/ }), + + /***/ "./src/base/base_object.js": + /*!*********************************!*\ + !*** ./src/base/base_object.js ***! + \*********************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { + + "use strict"; + + + Object.defineProperty(exports, "__esModule", { + value: true + }); + + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); + + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + + var _possibleConstructorReturn2 = __webpack_require__(/*! babel-runtime/helpers/possibleConstructorReturn */ "./node_modules/babel-runtime/helpers/possibleConstructorReturn.js"); + + var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); + + var _createClass2 = __webpack_require__(/*! babel-runtime/helpers/createClass */ "./node_modules/babel-runtime/helpers/createClass.js"); + + var _createClass3 = _interopRequireDefault(_createClass2); + + var _inherits2 = __webpack_require__(/*! babel-runtime/helpers/inherits */ "./node_modules/babel-runtime/helpers/inherits.js"); + + var _inherits3 = _interopRequireDefault(_inherits2); + + var _utils = __webpack_require__(/*! ./utils */ "./src/base/utils.js"); + + var _events = __webpack_require__(/*! ./events */ "./src/base/events.js"); + + var _events2 = _interopRequireDefault(_events); + + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + + /** + * @class BaseObject + * @constructor + * @extends Events + * @module base + */ +// Copyright 2014 Globo.com Player authors. All rights reserved. +// Use of this source code is governed by a BSD-style +// license that can be found in the LICENSE file. + + var BaseObject = function (_Events) { + (0, _inherits3.default)(BaseObject, _Events); + (0, _createClass3.default)(BaseObject, [{ + key: 'options', + + /** + * returns the object options + * @property options + * @type Object + */ + get: function get() { + return this._options; + } + + /** + * @method constructor + * @param {Object} options + */ + + }]); + + function BaseObject() { + var options = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {}; + (0, _classCallCheck3.default)(this, BaseObject); + + var _this = (0, _possibleConstructorReturn3.default)(this, _Events.call(this, options)); + + _this._options = options; + _this.uniqueId = (0, _utils.uniqueId)('o'); + return _this; + } + /** + * a unique id prefixed with `'o'`, `o1, o232` + * + * @property uniqueId + * @type String + */ + + + return BaseObject; + }(_events2.default); + + exports.default = BaseObject; + module.exports = exports['default']; + + /***/ }), + + /***/ "./src/base/container_plugin.js": + /*!**************************************!*\ + !*** ./src/base/container_plugin.js ***! + \**************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { + + "use strict"; + + + Object.defineProperty(exports, "__esModule", { + value: true + }); + + var _assign = __webpack_require__(/*! babel-runtime/core-js/object/assign */ "./node_modules/babel-runtime/core-js/object/assign.js"); + + var _assign2 = _interopRequireDefault(_assign); + + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); + + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + + var _possibleConstructorReturn2 = __webpack_require__(/*! babel-runtime/helpers/possibleConstructorReturn */ "./node_modules/babel-runtime/helpers/possibleConstructorReturn.js"); + + var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); + + var _createClass2 = __webpack_require__(/*! babel-runtime/helpers/createClass */ "./node_modules/babel-runtime/helpers/createClass.js"); + + var _createClass3 = _interopRequireDefault(_createClass2); + + var _inherits2 = __webpack_require__(/*! babel-runtime/helpers/inherits */ "./node_modules/babel-runtime/helpers/inherits.js"); + + var _inherits3 = _interopRequireDefault(_inherits2); + + var _base_object = __webpack_require__(/*! ./base_object */ "./src/base/base_object.js"); + + var _base_object2 = _interopRequireDefault(_base_object); + + var _utils = __webpack_require__(/*! ./utils */ "./src/base/utils.js"); + + var _error_mixin = __webpack_require__(/*! ./error_mixin */ "./src/base/error_mixin.js"); + + var _error_mixin2 = _interopRequireDefault(_error_mixin); + + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + + /** + * The base class for a container plugin + * @class ContainerPlugin + * @constructor + * @extends BaseObject + * @module base + */ + var ContainerPlugin = function (_BaseObject) { + (0, _inherits3.default)(ContainerPlugin, _BaseObject); + (0, _createClass3.default)(ContainerPlugin, [{ + key: 'playerError', + get: function get() { + return this.container.playerError; + } + }]); + + function ContainerPlugin(container) { + (0, _classCallCheck3.default)(this, ContainerPlugin); + + var _this = (0, _possibleConstructorReturn3.default)(this, _BaseObject.call(this, container.options)); + + _this.container = container; + _this.enabled = true; + _this.bindEvents(); + return _this; + } + + ContainerPlugin.prototype.enable = function enable() { + if (!this.enabled) { + this.bindEvents(); + this.enabled = true; + } + }; + + ContainerPlugin.prototype.disable = function disable() { + if (this.enabled) { + this.stopListening(); + this.enabled = false; + } + }; + + ContainerPlugin.prototype.bindEvents = function bindEvents() {}; + + ContainerPlugin.prototype.destroy = function destroy() { + this.stopListening(); + }; + + return ContainerPlugin; + }(_base_object2.default); + + exports.default = ContainerPlugin; + + + (0, _assign2.default)(ContainerPlugin.prototype, _error_mixin2.default); + + ContainerPlugin.extend = function (properties) { + return (0, _utils.extend)(ContainerPlugin, properties); + }; + + ContainerPlugin.type = 'container'; + module.exports = exports['default']; + + /***/ }), + + /***/ "./src/base/core_plugin.js": + /*!*********************************!*\ + !*** ./src/base/core_plugin.js ***! + \*********************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { + + "use strict"; + + + Object.defineProperty(exports, "__esModule", { + value: true + }); + + var _assign = __webpack_require__(/*! babel-runtime/core-js/object/assign */ "./node_modules/babel-runtime/core-js/object/assign.js"); + + var _assign2 = _interopRequireDefault(_assign); + + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); + + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + + var _possibleConstructorReturn2 = __webpack_require__(/*! babel-runtime/helpers/possibleConstructorReturn */ "./node_modules/babel-runtime/helpers/possibleConstructorReturn.js"); + + var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); + + var _createClass2 = __webpack_require__(/*! babel-runtime/helpers/createClass */ "./node_modules/babel-runtime/helpers/createClass.js"); + + var _createClass3 = _interopRequireDefault(_createClass2); + + var _inherits2 = __webpack_require__(/*! babel-runtime/helpers/inherits */ "./node_modules/babel-runtime/helpers/inherits.js"); + + var _inherits3 = _interopRequireDefault(_inherits2); + + var _utils = __webpack_require__(/*! ./utils */ "./src/base/utils.js"); + + var _base_object = __webpack_require__(/*! ./base_object */ "./src/base/base_object.js"); + + var _base_object2 = _interopRequireDefault(_base_object); + + var _error_mixin = __webpack_require__(/*! ./error_mixin */ "./src/base/error_mixin.js"); + + var _error_mixin2 = _interopRequireDefault(_error_mixin); + + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + + var CorePlugin = function (_BaseObject) { + (0, _inherits3.default)(CorePlugin, _BaseObject); + (0, _createClass3.default)(CorePlugin, [{ + key: 'playerError', + get: function get() { + return this.core.playerError; + } + }]); + + function CorePlugin(core) { + (0, _classCallCheck3.default)(this, CorePlugin); + + var _this = (0, _possibleConstructorReturn3.default)(this, _BaseObject.call(this, core.options)); + + _this.core = core; + _this.enabled = true; + _this.bindEvents(); + return _this; + } + + CorePlugin.prototype.bindEvents = function bindEvents() {}; + + CorePlugin.prototype.enable = function enable() { + if (!this.enabled) { + this.bindEvents(); + this.enabled = true; + } + }; + + CorePlugin.prototype.disable = function disable() { + if (this.enabled) { + this.stopListening(); + this.enabled = false; + } + }; + + CorePlugin.prototype.getExternalInterface = function getExternalInterface() { + return {}; + }; + + CorePlugin.prototype.destroy = function destroy() { + this.stopListening(); + }; + + return CorePlugin; + }(_base_object2.default); + + exports.default = CorePlugin; + + + (0, _assign2.default)(CorePlugin.prototype, _error_mixin2.default); + + CorePlugin.extend = function (properties) { + return (0, _utils.extend)(CorePlugin, properties); + }; + + CorePlugin.type = 'core'; + module.exports = exports['default']; + + /***/ }), + + /***/ "./src/base/error_mixin.js": + /*!*********************************!*\ + !*** ./src/base/error_mixin.js ***! + \*********************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { + + "use strict"; + + + Object.defineProperty(exports, "__esModule", { + value: true + }); + + var _assign = __webpack_require__(/*! babel-runtime/core-js/object/assign */ "./node_modules/babel-runtime/core-js/object/assign.js"); + + var _assign2 = _interopRequireDefault(_assign); + + var _log = __webpack_require__(/*! ../plugins/log */ "./src/plugins/log/index.js"); + + var _log2 = _interopRequireDefault(_log); + + var _error = __webpack_require__(/*! ../components/error */ "./src/components/error/index.js"); + + var _error2 = _interopRequireDefault(_error); + + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + + var ErrorMixin = { + /** + * creates an error. + * @method createError + * @param {Object} error should be an object with code, description, level and raw error. + * @return {Object} Object with formatted error data including origin and scope + */ + createError: function createError(error) { + var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : { useCodePrefix: true }; + + var scope = this.constructor && this.constructor.type || ''; + var origin = this.name || scope; + var i18n = this.i18n || this.core && this.core.i18n || this.container && this.container.i18n; + + var prefixedCode = origin + ':' + (error && error.code || 'unknown'); + var defaultError = { + description: '', + level: _error2.default.Levels.FATAL, + origin: origin, + scope: scope, + raw: {} + }; + + var errorData = (0, _assign2.default)({}, defaultError, error, { + code: options.useCodePrefix ? prefixedCode : error.code + }); + + if (i18n && errorData.level == _error2.default.Levels.FATAL && !errorData.UI) { + var defaultUI = { + title: i18n.t('default_error_title'), + message: i18n.t('default_error_message') + }; + errorData.UI = defaultUI; + } + + if (this.playerError) this.playerError.createError(errorData);else _log2.default.warn(origin, 'PlayerError is not defined. Error: ', errorData); + + return errorData; + } + }; + + exports.default = ErrorMixin; + module.exports = exports['default']; + + /***/ }), + + /***/ "./src/base/events.js": + /*!****************************!*\ + !*** ./src/base/events.js ***! + \****************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { + + "use strict"; + + + Object.defineProperty(exports, "__esModule", { + value: true + }); + + var _keys = __webpack_require__(/*! babel-runtime/core-js/object/keys */ "./node_modules/babel-runtime/core-js/object/keys.js"); + + var _keys2 = _interopRequireDefault(_keys); + + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); + + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + + var _typeof2 = __webpack_require__(/*! babel-runtime/helpers/typeof */ "./node_modules/babel-runtime/helpers/typeof.js"); + + var _typeof3 = _interopRequireDefault(_typeof2); + + var _log = __webpack_require__(/*! ../plugins/log */ "./src/plugins/log/index.js"); + + var _log2 = _interopRequireDefault(_log); + + var _utils = __webpack_require__(/*! ./utils */ "./src/base/utils.js"); + + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + +// Copyright 2014 Globo.com Player authors. All rights reserved. +// Use of this source code is governed by a BSD-style +// license that can be found in the LICENSE file. + + var slice = Array.prototype.slice; + + var eventSplitter = /\s+/; + + var eventsApi = function eventsApi(obj, action, name, rest) { + if (!name) return true; + + // Handle event maps. + if ((typeof name === 'undefined' ? 'undefined' : (0, _typeof3.default)(name)) === 'object') { + for (var key in name) { + obj[action].apply(obj, [key, name[key]].concat(rest)); + }return false; + } + + // Handle space separated event names. + if (eventSplitter.test(name)) { + var names = name.split(eventSplitter); + for (var i = 0, l = names.length; i < l; i++) { + obj[action].apply(obj, [names[i]].concat(rest)); + }return false; + } + + return true; + }; + + var triggerEvents = function triggerEvents(events, args, klass, name) { + var ev = void 0, + i = -1; + var l = events.length, + a1 = args[0], + a2 = args[1], + a3 = args[2]; + run(); + + function run() { + try { + switch (args.length) { + /* eslint-disable curly */ + case 0: + while (++i < l) { + (ev = events[i]).callback.call(ev.ctx); + }return; + case 1: + while (++i < l) { + (ev = events[i]).callback.call(ev.ctx, a1); + }return; + case 2: + while (++i < l) { + (ev = events[i]).callback.call(ev.ctx, a1, a2); + }return; + case 3: + while (++i < l) { + (ev = events[i]).callback.call(ev.ctx, a1, a2, a3); + }return; + default: + while (++i < l) { + (ev = events[i]).callback.apply(ev.ctx, args); + }return; + } + } catch (exception) { + _log2.default.error.apply(_log2.default, [klass, 'error on event', name, 'trigger', '-', exception]); + run(); + } + } + }; + + /** + * @class Events + * @constructor + * @module base + */ + + var Events = function () { + function Events() { + (0, _classCallCheck3.default)(this, Events); + } + + /** + * listen to an event indefinitely, if you want to stop you need to call `off` + * @method on + * @param {String} name + * @param {Function} callback + * @param {Object} context + */ + Events.prototype.on = function on(name, callback, context) { + if (!eventsApi(this, 'on', name, [callback, context]) || !callback) return this; + this._events || (this._events = {}); + var events = this._events[name] || (this._events[name] = []); + events.push({ callback: callback, context: context, ctx: context || this }); + return this; + }; + + /** + * listen to an event only once + * @method once + * @param {String} name + * @param {Function} callback + * @param {Object} context + */ + + + Events.prototype.once = function once(name, callback, context) { + var _this = this; + + var _once = void 0; + if (!eventsApi(this, 'once', name, [callback, context]) || !callback) return this; + var off = function off() { + return _this.off(name, _once); + }; + _once = function once() { + off(name, _once); + callback.apply(this, arguments); + }; + return this.on(name, _once, context); + }; + + /** + * stop listening to an event + * @method off + * @param {String} name + * @param {Function} callback + * @param {Object} context + */ + + + Events.prototype.off = function off(name, callback, context) { + var retain = void 0, + ev = void 0, + events = void 0, + names = void 0, + i = void 0, + l = void 0, + j = void 0, + k = void 0; + if (!this._events || !eventsApi(this, 'off', name, [callback, context])) return this; + if (!name && !callback && !context) { + this._events = void 0; + return this; + } + names = name ? [name] : (0, _keys2.default)(this._events); + // jshint maxdepth:5 + for (i = 0, l = names.length; i < l; i++) { + name = names[i]; + events = this._events[name]; + if (events) { + this._events[name] = retain = []; + if (callback || context) { + for (j = 0, k = events.length; j < k; j++) { + ev = events[j]; + if (callback && callback !== ev.callback && callback !== ev.callback._callback || context && context !== ev.context) retain.push(ev); + } + } + if (!retain.length) delete this._events[name]; + } + } + return this; + }; + + /** + * triggers an event given its `name` + * @method trigger + * @param {String} name + */ + + + Events.prototype.trigger = function trigger(name) { + var klass = this.name || this.constructor.name; + _log2.default.debug.apply(_log2.default, [klass].concat(Array.prototype.slice.call(arguments))); + if (!this._events) return this; + var args = slice.call(arguments, 1); + if (!eventsApi(this, 'trigger', name, args)) return this; + var events = this._events[name]; + var allEvents = this._events.all; + if (events) triggerEvents(events, args, klass, name); + if (allEvents) triggerEvents(allEvents, arguments, klass, name); + return this; + }; + + /** + * stop listening an event for a given object + * @method stopListening + * @param {Object} obj + * @param {String} name + * @param {Function} callback + */ + + + Events.prototype.stopListening = function stopListening(obj, name, callback) { + var listeningTo = this._listeningTo; + if (!listeningTo) return this; + var remove = !name && !callback; + if (!callback && (typeof name === 'undefined' ? 'undefined' : (0, _typeof3.default)(name)) === 'object') callback = this; + if (obj) (listeningTo = {})[obj._listenId] = obj; + for (var id in listeningTo) { + obj = listeningTo[id]; + obj.off(name, callback, this); + if (remove || (0, _keys2.default)(obj._events).length === 0) delete this._listeningTo[id]; + } + return this; + }; + + Events.register = function register(eventName) { + Events.Custom || (Events.Custom = {}); + var property = typeof eventName === 'string' && eventName.toUpperCase().trim(); + + if (property && !Events.Custom[property]) { + Events.Custom[property] = property.toLowerCase().split('_').map(function (value, index) { + return index === 0 ? value : value = value[0].toUpperCase() + value.slice(1); + }).join(''); + } else _log2.default.error('Events', 'Error when register event: ' + eventName); + }; + + Events.listAvailableCustomEvents = function listAvailableCustomEvents() { + Events.Custom || (Events.Custom = {}); + return (0, _keys2.default)(Events.Custom).filter(function (property) { + return typeof Events.Custom[property] === 'string'; + }); + }; + + return Events; + }(); + + /** + * listen to an event indefinitely for a given `obj` + * @method listenTo + * @param {Object} obj + * @param {String} name + * @param {Function} callback + * @param {Object} context + * @example + * ```javascript + * this.listenTo(this.core.playback, Events.PLAYBACK_PAUSE, this.callback) + * ``` + */ + /** + * listen to an event once for a given `obj` + * @method listenToOnce + * @param {Object} obj + * @param {String} name + * @param {Function} callback + * @param {Object} context + * @example + * ```javascript + * this.listenToOnce(this.core.playback, Events.PLAYBACK_PAUSE, this.callback) + * ``` + */ + + + exports.default = Events; + var listenMethods = { listenTo: 'on', listenToOnce: 'once' }; + + (0, _keys2.default)(listenMethods).forEach(function (method) { + Events.prototype[method] = function (obj, name, callback) { + var listeningTo = this._listeningTo || (this._listeningTo = {}); + var id = obj._listenId || (obj._listenId = (0, _utils.uniqueId)('l')); + listeningTo[id] = obj; + if (!callback && (typeof name === 'undefined' ? 'undefined' : (0, _typeof3.default)(name)) === 'object') callback = this; + obj[listenMethods[method]](name, callback, this); + return this; + }; + }); + +// PLAYER EVENTS + /** + * Fired when the player is ready on startup + * + * @event PLAYER_READY + */ + Events.PLAYER_READY = 'ready'; + /** + * Fired when player resizes + * + * @event PLAYER_RESIZE + * @param {Object} currentSize an object with the current size + */ + Events.PLAYER_RESIZE = 'resize'; + /** + * Fired when player changes its fullscreen state + * + * @event PLAYER_FULLSCREEN + * @param {Boolean} whether or not the player is on fullscreen mode + */ + Events.PLAYER_FULLSCREEN = 'fullscreen'; + /** + * Fired when player starts to play + * + * @event PLAYER_PLAY + */ + Events.PLAYER_PLAY = 'play'; + /** + * Fired when player pauses + * + * @event PLAYER_PAUSE + */ + Events.PLAYER_PAUSE = 'pause'; + /** + * Fired when player stops + * + * @event PLAYER_STOP + */ + Events.PLAYER_STOP = 'stop'; + /** + * Fired when player ends the video + * + * @event PLAYER_ENDED + */ + Events.PLAYER_ENDED = 'ended'; + /** + * Fired when player seeks the video + * + * @event PLAYER_SEEK + * @param {Number} time the current time in seconds + */ + Events.PLAYER_SEEK = 'seek'; + /** + * Fired when player receives an error + * + * @event PLAYER_ERROR + * @param {Object} error the error + */ + Events.PLAYER_ERROR = 'playererror'; + /** + * Fired when there is an error + * + * @event ERROR + * @param {Object} error + * the error with the following format `{code, description, level, raw, origin, scope}` + * @param {String} [options.code] + * error's code: code to identify error in the following format: origin:code + * @param {String} [options.description] + * error's description: description of the error + * @param {String} [options.level] + * error's level: FATAL or WARN. + * @param {String} [options.origin] + * error's origin. Example: hls, html5, etc + * @param {String} [options.scope] + * error's scope. Example: playback, container, etc + * @param {String} [options.raw] + * raw error: the initial error received + */ + Events.ERROR = 'error'; + /** + * Fired when the time is updated on player + * + * @event PLAYER_TIMEUPDATE + * @param {Object} progress Data + * progress object + * @param {Number} [progress.current] + * current time (in seconds) + * @param {Number} [progress.total] + * total time (in seconds) + */ + Events.PLAYER_TIMEUPDATE = 'timeupdate'; + /** + * Fired when player updates its volume + * + * @event PLAYER_VOLUMEUPDATE + * @param {Number} volume the current volume + */ + Events.PLAYER_VOLUMEUPDATE = 'volumeupdate'; + + /** + * Fired when subtitle is available + * + * @event PLAYER_SUBTITLE_AVAILABLE + */ + Events.PLAYER_SUBTITLE_AVAILABLE = 'subtitleavailable'; + +// Playback Events + /** + * Fired when the playback is downloading the media + * + * @event PLAYBACK_PROGRESS + * @param progress {Object} + * Data progress object + * @param [progress.start] {Number} + * start position of buffered content at current position + * @param [progress.current] {Number} + * end position of buffered content at current position + * @param [progress.total] {Number} + * total content to be downloaded + * @param buffered {Array} + * array of buffered segments ({start, end}). [Only for supported playbacks] + */ + Events.PLAYBACK_PROGRESS = 'playback:progress'; + /** + * Fired when the time is updated on playback + * + * @event PLAYBACK_TIMEUPDATE + * @param {Object} progress Data + * progress object + * @param {Number} [progress.current] + * current time (in seconds) + * @param {Number} [progress.total] + * total time (in seconds) + */ + Events.PLAYBACK_TIMEUPDATE = 'playback:timeupdate'; + /** + * Fired when playback is ready + * + * @event PLAYBACK_READY + */ + Events.PLAYBACK_READY = 'playback:ready'; + /** + * Fired when the playback starts having to buffer because + * playback can currently not be smooth. + * + * This corresponds to the playback `buffering` property being + * `true`. + * + * @event PLAYBACK_BUFFERING + */ + Events.PLAYBACK_BUFFERING = 'playback:buffering'; + /** + * Fired when the playback has enough in the buffer to be + * able to play smoothly, after previously being unable to + * do this. + * + * This corresponds to the playback `buffering` property being + * `false`. + * + * @event PLAYBACK_BUFFERFULL + */ + Events.PLAYBACK_BUFFERFULL = 'playback:bufferfull'; + /** + * Fired when playback changes any settings (volume, seek and etc) + * + * @event PLAYBACK_SETTINGSUPDATE + */ + Events.PLAYBACK_SETTINGSUPDATE = 'playback:settingsupdate'; + /** + * Fired when playback loaded its metadata + * + * @event PLAYBACK_LOADEDMETADATA + * @param {Object} metadata Data + * settings object + * @param {Number} [metadata.duration] + * the playback duration + * @param {Object} [metadata.data] + * extra meta data + */ + Events.PLAYBACK_LOADEDMETADATA = 'playback:loadedmetadata'; + /** + * Fired when playback updates its video quality + * + * @event PLAYBACK_HIGHDEFINITIONUPDATE + * @param {Boolean} isHD + * true when is on HD, false otherwise + */ + Events.PLAYBACK_HIGHDEFINITIONUPDATE = 'playback:highdefinitionupdate'; + /** + * Fired when playback updates its bitrate + * + * @event PLAYBACK_BITRATE + * @param {Object} bitrate Data + * bitrate object + * @param {Number} [bitrate.bandwidth] + * bitrate bandwidth when it's available + * @param {Number} [bitrate.width] + * playback width (ex: 720, 640, 1080) + * @param {Number} [bitrate.height] + * playback height (ex: 240, 480, 720) + * @param {Number} [bitrate.level] + * playback level when it's available, it could be just a map for width (0 => 240, 1 => 480, 2 => 720) + */ + Events.PLAYBACK_BITRATE = 'playback:bitrate'; + /** + * Fired when the playback has its levels + * + * @event PLAYBACK_LEVELS_AVAILABLE + * @param {Array} levels + * the ordered levels, each one with the following format `{id: 1, label: '500kbps'}` ps: id should be a number >= 0 + * @param {Number} initial + * the initial level otherwise -1 (AUTO) + */ + Events.PLAYBACK_LEVELS_AVAILABLE = 'playback:levels:available'; + /** + * Fired when the playback starts to switch level + * + * @event PLAYBACK_LEVEL_SWITCH_START + * + */ + Events.PLAYBACK_LEVEL_SWITCH_START = 'playback:levels:switch:start'; + /** + * Fired when the playback ends the level switch + * + * @event PLAYBACK_LEVEL_SWITCH_END + * + */ + Events.PLAYBACK_LEVEL_SWITCH_END = 'playback:levels:switch:end'; + + /** + * Fired when playback internal state changes + * + * @event PLAYBACK_PLAYBACKSTATE + * @param {Object} state Data + * state object + * @param {String} [state.type] + * the playback type + */ + Events.PLAYBACK_PLAYBACKSTATE = 'playback:playbackstate'; + /** + * Fired when DVR becomes enabled/disabled. + * + * @event PLAYBACK_DVR + * @param {boolean} state true if dvr enabled + */ + Events.PLAYBACK_DVR = 'playback:dvr'; +// TODO doc + Events.PLAYBACK_MEDIACONTROL_DISABLE = 'playback:mediacontrol:disable'; +// TODO doc + Events.PLAYBACK_MEDIACONTROL_ENABLE = 'playback:mediacontrol:enable'; + /** + * Fired when the media for a playback ends. + * + * @event PLAYBACK_ENDED + * @param {String} name the name of the playback + */ + Events.PLAYBACK_ENDED = 'playback:ended'; + /** + * Fired when user requests `play()` + * + * @event PLAYBACK_PLAY_INTENT + */ + Events.PLAYBACK_PLAY_INTENT = 'playback:play:intent'; + /** + * Fired when the media for a playback starts playing. + * This is not necessarily when the user requests `play()` + * The media may have to buffer first. + * I.e. `isPlaying()` might return `true` before this event is fired, + * because `isPlaying()` represents the intended state. + * + * @event PLAYBACK_PLAY + */ + Events.PLAYBACK_PLAY = 'playback:play'; + /** + * Fired when the media for a playback pauses. + * + * @event PLAYBACK_PAUSE + */ + Events.PLAYBACK_PAUSE = 'playback:pause'; + /** + * Fired when the media for a playback is seeking. + * + * @event PLAYBACK_SEEK + */ + Events.PLAYBACK_SEEK = 'playback:seek'; + /** + * Fired when the media for a playback is seeked. + * + * @event PLAYBACK_SEEKED + */ + Events.PLAYBACK_SEEKED = 'playback:seeked'; + /** + * Fired when the media for a playback is stopped. + * + * @event PLAYBACK_STOP + */ + Events.PLAYBACK_STOP = 'playback:stop'; + /** + * Fired if an error occurs in the playback. + * + * @event PLAYBACK_ERROR + * @param {Object} error An object containing the error details + * @param {String} name Playback name + */ + Events.PLAYBACK_ERROR = 'playback:error'; +// TODO doc + Events.PLAYBACK_STATS_ADD = 'playback:stats:add'; +// TODO doc + Events.PLAYBACK_FRAGMENT_LOADED = 'playback:fragment:loaded'; +// TODO doc + Events.PLAYBACK_LEVEL_SWITCH = 'playback:level:switch'; + /** + * Fired when subtitle is available on playback for display + * + * @event PLAYBACK_SUBTITLE_AVAILABLE + */ + Events.PLAYBACK_SUBTITLE_AVAILABLE = 'playback:subtitle:available'; + /** + * Fired when playback subtitle track has changed + * + * @event CONTAINER_SUBTITLE_CHANGED + * @param {Object} track Data + * track object + * @param {Number} [track.id] + * selected track id + */ + Events.PLAYBACK_SUBTITLE_CHANGED = 'playback:subtitle:changed'; + +// Core Events + /** + * Fired when the containers are created + * + * @event CORE_CONTAINERS_CREATED + */ + Events.CORE_CONTAINERS_CREATED = 'core:containers:created'; + /** + * Fired when the active container changed + * + * @event CORE_ACTIVE_CONTAINER_CHANGED + */ + Events.CORE_ACTIVE_CONTAINER_CHANGED = 'core:active:container:changed'; + /** + * Fired when the options were changed for the core + * + * @event CORE_OPTIONS_CHANGE + * @param {Object} new options provided to configure() method + */ + Events.CORE_OPTIONS_CHANGE = 'core:options:change'; + /** + * Fired after creating containers, when the core is ready + * + * @event CORE_READY + */ + Events.CORE_READY = 'core:ready'; + /** + * Fired when the fullscreen state change + * + * @event CORE_FULLSCREEN + * @param {Boolean} whether or not the player is on fullscreen mode + */ + Events.CORE_FULLSCREEN = 'core:fullscreen'; + /** + * Fired when core updates size + * + * @event CORE_RESIZE + * @param {Object} currentSize an object with the current size + */ + Events.CORE_RESIZE = 'core:resize'; + /** + * Fired when the screen orientation has changed. + * This event is trigger only for mobile devices. + * + * @event CORE_SCREEN_ORIENTATION_CHANGED + * @param {Object} screen An object with screen orientation + * screen object + * @param {Object} [screen.event] + * window resize event object + * @param {String} [screen.orientation] + * screen orientation (ie: 'landscape' or 'portrait') + */ + Events.CORE_SCREEN_ORIENTATION_CHANGED = 'core:screen:orientation:changed'; + /** + * Fired when occurs mouse move event on core element + * + * @event CORE_MOUSE_MOVE + * @param {Object} event a DOM event + */ + Events.CORE_MOUSE_MOVE = 'core:mousemove'; + /** + * Fired when occurs mouse leave event on core element + * + * @event CORE_MOUSE_LEAVE + * @param {Object} event a DOM event + */ + Events.CORE_MOUSE_LEAVE = 'core:mouseleave'; + +// Container Events + /** + * Fired when the container internal state changes + * + * @event CONTAINER_PLAYBACKSTATE + * @param {Object} state Data + * state object + * @param {String} [state.type] + * the playback type + */ + Events.CONTAINER_PLAYBACKSTATE = 'container:playbackstate'; + Events.CONTAINER_PLAYBACKDVRSTATECHANGED = 'container:dvr'; + /** + * Fired when the container updates its bitrate + * + * @event CONTAINER_BITRATE + * @param {Object} bitrate Data + * bitrate object + * @param {Number} [bitrate.bandwidth] + * bitrate bandwidth when it's available + * @param {Number} [bitrate.width] + * playback width (ex: 720, 640, 1080) + * @param {Number} [bitrate.height] + * playback height (ex: 240, 480, 720) + * @param {Number} [bitrate.level] + * playback level when it's available, it could be just a map for width (0 => 240, 1 => 480, 2 => 720) + */ + Events.CONTAINER_BITRATE = 'container:bitrate'; + Events.CONTAINER_STATS_REPORT = 'container:stats:report'; + Events.CONTAINER_DESTROYED = 'container:destroyed'; + /** + * Fired when the container is ready + * + * @event CONTAINER_READY + */ + Events.CONTAINER_READY = 'container:ready'; + Events.CONTAINER_ERROR = 'container:error'; + /** + * Fired when the container loaded its metadata + * + * @event CONTAINER_LOADEDMETADATA + * @param {Object} metadata Data + * settings object + * @param {Number} [metadata.duration] + * the playback duration + * @param {Object} [metadata.data] + * extra meta data + */ + Events.CONTAINER_LOADEDMETADATA = 'container:loadedmetadata'; + + /** + * Fired when subtitle is available on container for display + * + * @event CONTAINER_SUBTITLE_AVAILABLE + */ + Events.CONTAINER_SUBTITLE_AVAILABLE = 'container:subtitle:available'; + /** + * Fired when subtitle track has changed + * + * @event CONTAINER_SUBTITLE_CHANGED + * @param {Object} track Data + * track object + * @param {Number} [track.id] + * selected track id + */ + Events.CONTAINER_SUBTITLE_CHANGED = 'container:subtitle:changed'; + + /** + * Fired when the time is updated on container + * + * @event CONTAINER_TIMEUPDATE + * @param {Object} progress Data + * progress object + * @param {Number} [progress.current] + * current time (in seconds) + * @param {Number} [progress.total] + * total time (in seconds) + */ + Events.CONTAINER_TIMEUPDATE = 'container:timeupdate'; + /** + * Fired when the container is downloading the media + * + * @event CONTAINER_PROGRESS + * @param {Object} progress Data + * progress object + * @param {Number} [progress.start] + * initial downloaded content + * @param {Number} [progress.current] + * current dowloaded content + * @param {Number} [progress.total] + * total content to be downloaded + */ + Events.CONTAINER_PROGRESS = 'container:progress'; + Events.CONTAINER_PLAY = 'container:play'; + Events.CONTAINER_STOP = 'container:stop'; + Events.CONTAINER_PAUSE = 'container:pause'; + Events.CONTAINER_ENDED = 'container:ended'; + Events.CONTAINER_CLICK = 'container:click'; + Events.CONTAINER_DBLCLICK = 'container:dblclick'; + Events.CONTAINER_CONTEXTMENU = 'container:contextmenu'; + Events.CONTAINER_MOUSE_ENTER = 'container:mouseenter'; + Events.CONTAINER_MOUSE_LEAVE = 'container:mouseleave'; + /** + * Fired when the container seeks the video + * + * @event CONTAINER_SEEK + * @param {Number} time the current time in seconds + */ + Events.CONTAINER_SEEK = 'container:seek'; + /** + * Fired when the container was finished the seek video + * + * @event CONTAINER_SEEKED + * @param {Number} time the current time in seconds + */ + Events.CONTAINER_SEEKED = 'container:seeked'; + Events.CONTAINER_VOLUME = 'container:volume'; + Events.CONTAINER_FULLSCREEN = 'container:fullscreen'; + /** + * Fired when container is buffering + * + * @event CONTAINER_STATE_BUFFERING + */ + Events.CONTAINER_STATE_BUFFERING = 'container:state:buffering'; + /** + * Fired when the container filled the buffer + * + * @event CONTAINER_STATE_BUFFERFULL + */ + Events.CONTAINER_STATE_BUFFERFULL = 'container:state:bufferfull'; + /** + * Fired when the container changes any settings (volume, seek and etc) + * + * @event CONTAINER_SETTINGSUPDATE + */ + Events.CONTAINER_SETTINGSUPDATE = 'container:settingsupdate'; + /** + * Fired when container updates its video quality + * + * @event CONTAINER_HIGHDEFINITIONUPDATE + * @param {Boolean} isHD + * true when is on HD, false otherwise + */ + Events.CONTAINER_HIGHDEFINITIONUPDATE = 'container:highdefinitionupdate'; + + /** + * Fired when the media control shows + * + * @event CONTAINER_MEDIACONTROL_SHOW + */ + Events.CONTAINER_MEDIACONTROL_SHOW = 'container:mediacontrol:show'; + /** + * Fired when the media control hides + * + * @event CONTAINER_MEDIACONTROL_HIDE + */ + Events.CONTAINER_MEDIACONTROL_HIDE = 'container:mediacontrol:hide'; + + Events.CONTAINER_MEDIACONTROL_DISABLE = 'container:mediacontrol:disable'; + Events.CONTAINER_MEDIACONTROL_ENABLE = 'container:mediacontrol:enable'; + Events.CONTAINER_STATS_ADD = 'container:stats:add'; + /** + * Fired when the options were changed for the container + * + * @event CONTAINER_OPTIONS_CHANGE + */ + Events.CONTAINER_OPTIONS_CHANGE = 'container:options:change'; + +// MediaControl Events + Events.MEDIACONTROL_RENDERED = 'mediacontrol:rendered'; + /** + * Fired when the player enters/exit on fullscreen + * + * @event MEDIACONTROL_FULLSCREEN + */ + Events.MEDIACONTROL_FULLSCREEN = 'mediacontrol:fullscreen'; + /** + * Fired when the media control shows + * + * @event MEDIACONTROL_SHOW + */ + Events.MEDIACONTROL_SHOW = 'mediacontrol:show'; + /** + * Fired when the media control hides + * + * @event MEDIACONTROL_HIDE + */ + Events.MEDIACONTROL_HIDE = 'mediacontrol:hide'; + /** + * Fired when mouse enters on the seekbar + * + * @event MEDIACONTROL_MOUSEMOVE_SEEKBAR + * @param {Object} event + * the javascript event + */ + Events.MEDIACONTROL_MOUSEMOVE_SEEKBAR = 'mediacontrol:mousemove:seekbar'; + /** + * Fired when mouse leaves the seekbar + * + * @event MEDIACONTROL_MOUSELEAVE_SEEKBAR + * @param {Object} event + * the javascript event + */ + Events.MEDIACONTROL_MOUSELEAVE_SEEKBAR = 'mediacontrol:mouseleave:seekbar'; + /** + * Fired when the media is being played + * + * @event MEDIACONTROL_PLAYING + */ + Events.MEDIACONTROL_PLAYING = 'mediacontrol:playing'; + /** + * Fired when the media is not being played + * + * @event MEDIACONTROL_NOTPLAYING + */ + Events.MEDIACONTROL_NOTPLAYING = 'mediacontrol:notplaying'; + /** + * Fired when the container was changed + * + * @event MEDIACONTROL_CONTAINERCHANGED + */ + Events.MEDIACONTROL_CONTAINERCHANGED = 'mediacontrol:containerchanged'; + /** + * Fired when the options were changed for the mediacontrol + * + * @event MEDIACONTROL_OPTIONS_CHANGE + */ + Events.MEDIACONTROL_OPTIONS_CHANGE = 'mediacontrol:options:change'; + module.exports = exports['default']; + + /***/ }), + + /***/ "./src/base/media.js": + /*!***************************!*\ + !*** ./src/base/media.js ***! + \***************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { + + "use strict"; + + + Object.defineProperty(exports, "__esModule", { + value: true + }); +// https://github.com/mathiasbynens/small + var mp4 = exports.mp4 = 'data:video/mp4;base64,AAAAHGZ0eXBpc29tAAACAGlzb21pc28ybXA0MQAAAAhmcmVlAAAC721kYXQhEAUgpBv/wAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA3pwAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAcCEQBSCkG//AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADengAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAcAAAAsJtb292AAAAbG12aGQAAAAAAAAAAAAAAAAAAAPoAAAALwABAAABAAAAAAAAAAAAAAAAAQAAAAAAAAAAAAAAAAAAAAEAAAAAAAAAAAAAAAAAAEAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADAAAB7HRyYWsAAABcdGtoZAAAAAMAAAAAAAAAAAAAAAIAAAAAAAAALwAAAAAAAAAAAAAAAQEAAAAAAQAAAAAAAAAAAAAAAAAAAAEAAAAAAAAAAAAAAAAAAEAAAAAAAAAAAAAAAAAAACRlZHRzAAAAHGVsc3QAAAAAAAAAAQAAAC8AAAAAAAEAAAAAAWRtZGlhAAAAIG1kaGQAAAAAAAAAAAAAAAAAAKxEAAAIAFXEAAAAAAAtaGRscgAAAAAAAAAAc291bgAAAAAAAAAAAAAAAFNvdW5kSGFuZGxlcgAAAAEPbWluZgAAABBzbWhkAAAAAAAAAAAAAAAkZGluZgAAABxkcmVmAAAAAAAAAAEAAAAMdXJsIAAAAAEAAADTc3RibAAAAGdzdHNkAAAAAAAAAAEAAABXbXA0YQAAAAAAAAABAAAAAAAAAAAAAgAQAAAAAKxEAAAAAAAzZXNkcwAAAAADgICAIgACAASAgIAUQBUAAAAAAfQAAAHz+QWAgIACEhAGgICAAQIAAAAYc3R0cwAAAAAAAAABAAAAAgAABAAAAAAcc3RzYwAAAAAAAAABAAAAAQAAAAIAAAABAAAAHHN0c3oAAAAAAAAAAAAAAAIAAAFzAAABdAAAABRzdGNvAAAAAAAAAAEAAAAsAAAAYnVkdGEAAABabWV0YQAAAAAAAAAhaGRscgAAAAAAAAAAbWRpcmFwcGwAAAAAAAAAAAAAAAAtaWxzdAAAACWpdG9vAAAAHWRhdGEAAAABAAAAAExhdmY1Ni40MC4xMDE='; + + exports.default = { + mp4: mp4 + }; + + /***/ }), + + /***/ "./src/base/playback.js": + /*!******************************!*\ + !*** ./src/base/playback.js ***! + \******************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { + + "use strict"; + + + Object.defineProperty(exports, "__esModule", { + value: true + }); + + var _assign = __webpack_require__(/*! babel-runtime/core-js/object/assign */ "./node_modules/babel-runtime/core-js/object/assign.js"); + + var _assign2 = _interopRequireDefault(_assign); + + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); + + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + + var _possibleConstructorReturn2 = __webpack_require__(/*! babel-runtime/helpers/possibleConstructorReturn */ "./node_modules/babel-runtime/helpers/possibleConstructorReturn.js"); + + var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); + + var _createClass2 = __webpack_require__(/*! babel-runtime/helpers/createClass */ "./node_modules/babel-runtime/helpers/createClass.js"); + + var _createClass3 = _interopRequireDefault(_createClass2); + + var _inherits2 = __webpack_require__(/*! babel-runtime/helpers/inherits */ "./node_modules/babel-runtime/helpers/inherits.js"); + + var _inherits3 = _interopRequireDefault(_inherits2); + + var _utils = __webpack_require__(/*! ./utils */ "./src/base/utils.js"); + + var _ui_object = __webpack_require__(/*! ./ui_object */ "./src/base/ui_object.js"); + + var _ui_object2 = _interopRequireDefault(_ui_object); + + var _error_mixin = __webpack_require__(/*! ./error_mixin */ "./src/base/error_mixin.js"); + + var _error_mixin2 = _interopRequireDefault(_error_mixin); + + var _clapprZepto = __webpack_require__(/*! clappr-zepto */ "./node_modules/clappr-zepto/zepto.js"); + + var _clapprZepto2 = _interopRequireDefault(_clapprZepto); + + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + + /** + * An abstraction to represent a generic playback, it's like an interface to be implemented by subclasses. + * @class Playback + * @constructor + * @extends UIObject + * @module base + */ + var Playback = function (_UIObject) { + (0, _inherits3.default)(Playback, _UIObject); + (0, _createClass3.default)(Playback, [{ + key: 'isAudioOnly', + + /** + * Determine if the playback does not contain video/has video but video should be ignored. + * @property isAudioOnly + * @type Boolean + */ + get: function get() { + return false; + } + }, { + key: 'isAdaptive', + get: function get() { + return false; + } + + /** + * Determine if the playback has ended. + * @property ended + * @type Boolean + */ + + }, { + key: 'ended', + get: function get() { + return false; + } + + /** + * The internationalization plugin. + * @property i18n + * @type {Strings} + */ + + }, { + key: 'i18n', + get: function get() { + return this._i18n; + } + + /** + * Determine if the playback is having to buffer in order for + * playback to be smooth. + * (i.e if a live stream is playing smoothly, this will be false) + * @property buffering + * @type Boolean + */ + + }, { + key: 'buffering', + get: function get() { + return false; + } + + /** + * Determine if the playback has user consent. + * @property consented + * @type Boolean + */ + + }, { + key: 'consented', + get: function get() { + return this._consented; + } + + /** + * @method constructor + * @param {Object} options the options object + * @param {Strings} i18n the internationalization component + */ + + }]); + + function Playback(options, i18n, playerError) { + (0, _classCallCheck3.default)(this, Playback); + + var _this = (0, _possibleConstructorReturn3.default)(this, _UIObject.call(this, options)); + + _this.settings = {}; + _this._i18n = i18n; + _this.playerError = playerError; + _this._consented = false; + return _this; + } + + /** + * Gives user consent to playback (mobile devices). + * @method consent + */ + + + Playback.prototype.consent = function consent() { + this._consented = true; + }; + + /** + * plays the playback. + * @method play + */ + + + Playback.prototype.play = function play() {}; + + /** + * pauses the playback. + * @method pause + */ + + + Playback.prototype.pause = function pause() {}; + + /** + * stops the playback. + * @method stop + */ + + + Playback.prototype.stop = function stop() {}; + + /** + * seeks the playback to a given `time` in seconds + * @method seek + * @param {Number} time should be a number between 0 and the video duration + */ + + + Playback.prototype.seek = function seek(time) {}; // eslint-disable-line no-unused-vars + + /** + * seeks the playback to a given `percentage` in percentage + * @method seekPercentage + * @param {Number} time should be a number between 0 and 100 + */ + + + Playback.prototype.seekPercentage = function seekPercentage(percentage) {}; // eslint-disable-line no-unused-vars + + /** + * The time that "0" now represents relative to when playback started. + * For a stream with a sliding window this will increase as content is + * removed from the beginning. + * @method getStartTimeOffset + * @return {Number} time (in seconds) that time "0" represents. + */ + + + Playback.prototype.getStartTimeOffset = function getStartTimeOffset() { + return 0; + }; + + /** + * gets the duration in seconds + * @method getDuration + * @return {Number} duration (in seconds) of the current source + */ + + + Playback.prototype.getDuration = function getDuration() { + return 0; + }; + + /** + * checks if the playback is playing. + * @method isPlaying + * @return {Boolean} `true` if the current playback is playing, otherwise `false` + */ + + + Playback.prototype.isPlaying = function isPlaying() { + return false; + }; + + /** + * checks if the playback is ready. + * @property isReady + * @type {Boolean} `true` if the current playback is ready, otherwise `false` + */ + + + // eslint-disable-line no-unused-vars + + /** + * gets the playback type (`'vod', 'live', 'aod'`) + * @method getPlaybackType + * @return {String} you should write the playback type otherwise it'll assume `'no_op'` + * @example + * ```javascript + * html5VideoPlayback.getPlaybackType() //vod + * html5AudioPlayback.getPlaybackType() //aod + * html5VideoPlayback.getPlaybackType() //live + * flashHlsPlayback.getPlaybackType() //live + * ``` + */ + Playback.prototype.getPlaybackType = function getPlaybackType() { + return Playback.NO_OP; + }; + + /** + * checks if the playback is in HD. + * @method isHighDefinitionInUse + * @return {Boolean} `true` if the playback is playing in HD, otherwise `false` + */ + + + Playback.prototype.isHighDefinitionInUse = function isHighDefinitionInUse() { + return false; + }; + + /** + * sets the volume for the playback + * @method volume + * @param {Number} value a number between 0 (`muted`) to 100 (`max`) + */ + + + Playback.prototype.volume = function volume(value) {}; // eslint-disable-line no-unused-vars + + /** + * enables to configure the playback after its creation + * @method configure + * @param {Object} options all the options to change in form of a javascript object + */ + + + Playback.prototype.configure = function configure(options) { + this._options = _clapprZepto2.default.extend(this._options, options); + }; + + /** + * attempt to autoplays the playback. + * @method attemptAutoPlay + */ + + + Playback.prototype.attemptAutoPlay = function attemptAutoPlay() { + var _this2 = this; + + this.canAutoPlay(function (result, error) { + // eslint-disable-line no-unused-vars + result && _this2.play(); + }); + }; + + /** + * checks if the playback can autoplay. + * @method canAutoPlay + * @param {Function} callback function where first param is Boolean and second param is playback Error or null + */ + + + Playback.prototype.canAutoPlay = function canAutoPlay(cb) { + cb(true, null); // Assume playback can autoplay by default + }; + + (0, _createClass3.default)(Playback, [{ + key: 'isReady', + get: function get() { + return false; + } + + /** + * checks if the playback has closed caption tracks. + * @property hasClosedCaptionsTracks + * @type {Boolean} + */ + + }, { + key: 'hasClosedCaptionsTracks', + get: function get() { + return this.closedCaptionsTracks.length > 0; + } + + /** + * gets the playback available closed caption tracks. + * @property closedCaptionsTracks + * @type {Array} an array of objects with at least 'id' and 'name' properties + */ + + }, { + key: 'closedCaptionsTracks', + get: function get() { + return []; + } + + /** + * gets the selected closed caption track index. (-1 is disabled) + * @property closedCaptionsTrackId + * @type {Number} + */ + + }, { + key: 'closedCaptionsTrackId', + get: function get() { + return -1; + } + + /** + * sets the selected closed caption track index. (-1 is disabled) + * @property closedCaptionsTrackId + * @type {Number} + */ + , + set: function set(trackId) {} + }]); + return Playback; + }(_ui_object2.default); + + exports.default = Playback; + + + (0, _assign2.default)(Playback.prototype, _error_mixin2.default); + + Playback.extend = function (properties) { + return (0, _utils.extend)(Playback, properties); + }; + + /** + * checks if the playback can play a given `source` + * If a mimeType is provided then this will be used instead of inferring the mimetype + * from the source extension. + * @method canPlay + * @static + * @param {String} source the given source ex: `http://example.com/play.mp4` + * @param {String} [mimeType] the given mime type, ex: `'application/vnd.apple.mpegurl'` + * @return {Boolean} `true` if the playback is playable, otherwise `false` + */ + Playback.canPlay = function (source, mimeType) { + // eslint-disable-line no-unused-vars + return false; + }; + + /** + * a playback type for video on demand + * + * @property VOD + * @static + * @type String + */ + Playback.VOD = 'vod'; + /** + * a playback type for audio on demand + * + * @property AOD + * @static + * @type String + */ + Playback.AOD = 'aod'; + /** + * a playback type for live video + * + * @property LIVE + * @static + * @type String + */ + Playback.LIVE = 'live'; + /** + * a default playback type + * + * @property NO_OP + * @static + * @type String + */ + Playback.NO_OP = 'no_op'; + /** + * the plugin type + * + * @property type + * @static + * @type String + */ + Playback.type = 'playback'; + module.exports = exports['default']; + + /***/ }), + + /***/ "./src/base/polyfills.js": + /*!*******************************!*\ + !*** ./src/base/polyfills.js ***! + \*******************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { + + "use strict"; + + +// Copyright 2014 Globo.com Player authors. All rights reserved. +// Use of this source code is governed by a BSD-style +// license that can be found in the LICENSE file. + + /** + * Array.prototype.find + * + * Original source : https://developer.mozilla.org/en/docs/Web/JavaScript/Reference/Global_Objects/Array/find + * See also : https://tc39.github.io/ecma262/#sec-array.prototype.find + */ + if (!Array.prototype.find) { + // eslint-disable-next-line + Object.defineProperty(Array.prototype, 'find', { + // Note: ES6 arrow function syntax is not used on purpose to avoid this to be undefined + value: function value(predicate) { + // 1. Let O be ? ToObject(this value). + if (this == null) throw new TypeError('"this" is null or not defined'); + + var o = Object(this); + + // 2. Let len be ? ToLength(? Get(O, "length")). + var len = o.length >>> 0; + + // 3. If IsCallable(predicate) is false, throw a TypeError exception. + if (typeof predicate !== 'function') throw new TypeError('predicate must be a function'); + + // 4. If thisArg was supplied, let T be thisArg; else let T be undefined. + var thisArg = arguments[1]; + + // 5. Let k be 0. + var k = 0; + + // 6. Repeat, while k < len + while (k < len) { + // a. Let Pk be ! ToString(k). + // b. Let kValue be ? Get(O, Pk). + // c. Let testResult be ToBoolean(? Call(predicate, T, « kValue, k, O »)). + // d. If testResult is true, return kValue. + var kValue = o[k]; + if (predicate.call(thisArg, kValue, k, o)) return kValue; + + // e. Increase k by 1. + k++; + } + + // 7. Return undefined. + return undefined; + } + }); + } + + /***/ }), + + /***/ "./src/base/styler.js": + /*!****************************!*\ + !*** ./src/base/styler.js ***! + \****************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { + + "use strict"; + + + Object.defineProperty(exports, "__esModule", { + value: true + }); + + var _clapprZepto = __webpack_require__(/*! clappr-zepto */ "./node_modules/clappr-zepto/zepto.js"); + + var _clapprZepto2 = _interopRequireDefault(_clapprZepto); + + var _template = __webpack_require__(/*! ./template */ "./src/base/template.js"); + + var _template2 = _interopRequireDefault(_template); + + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + +// Copyright 2014 Globo.com Player authors. All rights reserved. +// Use of this source code is governed by a BSD-style +// license that can be found in the LICENSE file. + + var Styler = { + getStyleFor: function getStyleFor(style) { + var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : { baseUrl: '' }; + + return (0, _clapprZepto2.default)('<style class="clappr-style"></style>').html((0, _template2.default)(style.toString())(options)); + } + }; + + exports.default = Styler; + module.exports = exports['default']; + + /***/ }), + + /***/ "./src/base/svg_icons.js": + /*!*******************************!*\ + !*** ./src/base/svg_icons.js ***! + \*******************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { + + "use strict"; + + + Object.defineProperty(exports, "__esModule", { + value: true + }); + exports.volumeMute = exports.volume = exports.stop = exports.reload = exports.play = exports.pause = exports.hd = exports.fullscreen = exports.exitFullscreen = exports.cc = undefined; + + var _play = __webpack_require__(/*! ../icons/01-play.svg */ "./src/icons/01-play.svg"); + + var _play2 = _interopRequireDefault(_play); + + var _pause = __webpack_require__(/*! ../icons/02-pause.svg */ "./src/icons/02-pause.svg"); + + var _pause2 = _interopRequireDefault(_pause); + + var _stop = __webpack_require__(/*! ../icons/03-stop.svg */ "./src/icons/03-stop.svg"); + + var _stop2 = _interopRequireDefault(_stop); + + var _volume = __webpack_require__(/*! ../icons/04-volume.svg */ "./src/icons/04-volume.svg"); + + var _volume2 = _interopRequireDefault(_volume); + + var _mute = __webpack_require__(/*! ../icons/05-mute.svg */ "./src/icons/05-mute.svg"); + + var _mute2 = _interopRequireDefault(_mute); + + var _expand = __webpack_require__(/*! ../icons/06-expand.svg */ "./src/icons/06-expand.svg"); + + var _expand2 = _interopRequireDefault(_expand); + + var _shrink = __webpack_require__(/*! ../icons/07-shrink.svg */ "./src/icons/07-shrink.svg"); + + var _shrink2 = _interopRequireDefault(_shrink); + + var _hd = __webpack_require__(/*! ../icons/08-hd.svg */ "./src/icons/08-hd.svg"); + + var _hd2 = _interopRequireDefault(_hd); + + var _cc = __webpack_require__(/*! ../icons/09-cc.svg */ "./src/icons/09-cc.svg"); + + var _cc2 = _interopRequireDefault(_cc); + + var _reload = __webpack_require__(/*! ../icons/10-reload.svg */ "./src/icons/10-reload.svg"); + + var _reload2 = _interopRequireDefault(_reload); + + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + +// Copyright 2014 Globo.com Player authors. All rights reserved. +// Use of this source code is governed by a BSD-style +// license that can be found in the LICENSE file. + + var cc = exports.cc = _cc2.default; + var exitFullscreen = exports.exitFullscreen = _shrink2.default; + var fullscreen = exports.fullscreen = _expand2.default; + var hd = exports.hd = _hd2.default; + var pause = exports.pause = _pause2.default; + var play = exports.play = _play2.default; + var reload = exports.reload = _reload2.default; + var stop = exports.stop = _stop2.default; + var volume = exports.volume = _volume2.default; + var volumeMute = exports.volumeMute = _mute2.default; + + exports.default = { + cc: _cc2.default, + exitFullscreen: _shrink2.default, + fullscreen: _expand2.default, + hd: _hd2.default, + pause: _pause2.default, + play: _play2.default, + reload: _reload2.default, + stop: _stop2.default, + volume: _volume2.default, + volumeMute: _mute2.default + }; + + /***/ }), + + /***/ "./src/base/template.js": + /*!******************************!*\ + !*** ./src/base/template.js ***! + \******************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { + + "use strict"; + + + Object.defineProperty(exports, "__esModule", { + value: true + }); + /* eslint-disable no-var */ +// Simple JavaScript Templating +// Paul Miller (http://paulmillr.com) +// http://underscorejs.org +// (c) 2009-2013 Jeremy Ashkenas, DocumentCloud and Investigative Reporters & Editors + +// By default, Underscore uses ERB-style template delimiters, change the +// following template settings to use alternative delimiters. + var settings = { + evaluate: /<%([\s\S]+?)%>/g, + interpolate: /<%=([\s\S]+?)%>/g, + escape: /<%-([\s\S]+?)%>/g + + // When customizing `templateSettings`, if you don't want to define an + // interpolation, evaluation or escaping regex, we need one that is + // guaranteed not to match. + };var noMatch = /(.)^/; + +// Certain characters need to be escaped so that they can be put into a +// string literal. + var escapes = { + '\'': '\'', + '\\': '\\', + '\r': 'r', + '\n': 'n', + '\t': 't', + '\u2028': 'u2028', + '\u2029': 'u2029' + }; + + var escaper = /\\|'|\r|\n|\t|\u2028|\u2029/g; + +// List of HTML entities for escaping. + var htmlEntities = { + '&': '&', + '<': '<', + '>': '>', + '"': '"', + '\'': ''' + }; + + var entityRe = new RegExp('[&<>"\']', 'g'); + + var escapeExpr = function escapeExpr(string) { + if (string === null) return ''; + return ('' + string).replace(entityRe, function (match) { + return htmlEntities[match]; + }); + }; + + var counter = 0; + +// JavaScript micro-templating, similar to John Resig's implementation. +// Underscore templating handles arbitrary delimiters, preserves whitespace, +// and correctly escapes quotes within interpolated code. + var tmpl = function tmpl(text, data) { + var render; + + // Combine delimiters into one regular expression via alternation. + var matcher = new RegExp([(settings.escape || noMatch).source, (settings.interpolate || noMatch).source, (settings.evaluate || noMatch).source].join('|') + '|$', 'g'); + + // Compile the template source, escaping string literals appropriately. + var index = 0; + var source = '__p+=\''; + text.replace(matcher, function (match, escape, interpolate, evaluate, offset) { + source += text.slice(index, offset).replace(escaper, function (match) { + return '\\' + escapes[match]; + }); + + if (escape) source += '\'+\n((__t=(' + escape + '))==null?\'\':escapeExpr(__t))+\n\''; + + if (interpolate) source += '\'+\n((__t=(' + interpolate + '))==null?\'\':__t)+\n\''; + + if (evaluate) source += '\';\n' + evaluate + '\n__p+=\''; + + index = offset + match.length; + return match; + }); + source += '\';\n'; + + // If a variable is not specified, place data values in local scope. + if (!settings.variable) source = 'with(obj||{}){\n' + source + '}\n'; + + source = 'var __t,__p=\'\',__j=Array.prototype.join,' + 'print=function(){__p+=__j.call(arguments,\'\');};\n' + source + 'return __p;\n//# sourceURL=/microtemplates/source[' + counter++ + ']'; + + try { + /*jshint -W054 */ + // TODO: find a way to avoid eval + render = new Function(settings.variable || 'obj', 'escapeExpr', source); + } catch (e) { + e.source = source; + throw e; + } + + if (data) return render(data, escapeExpr); + var template = function template(data) { + return render.call(this, data, escapeExpr); + }; + + // Provide the compiled function source as a convenience for precompilation. + template.source = 'function(' + (settings.variable || 'obj') + '){\n' + source + '}'; + + return template; + }; + tmpl.settings = settings; + + exports.default = tmpl; + module.exports = exports['default']; + + /***/ }), + + /***/ "./src/base/ui_container_plugin.js": + /*!*****************************************!*\ + !*** ./src/base/ui_container_plugin.js ***! + \*****************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { + + "use strict"; + + + Object.defineProperty(exports, "__esModule", { + value: true + }); + + var _assign = __webpack_require__(/*! babel-runtime/core-js/object/assign */ "./node_modules/babel-runtime/core-js/object/assign.js"); + + var _assign2 = _interopRequireDefault(_assign); + + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); + + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + + var _possibleConstructorReturn2 = __webpack_require__(/*! babel-runtime/helpers/possibleConstructorReturn */ "./node_modules/babel-runtime/helpers/possibleConstructorReturn.js"); + + var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); + + var _createClass2 = __webpack_require__(/*! babel-runtime/helpers/createClass */ "./node_modules/babel-runtime/helpers/createClass.js"); + + var _createClass3 = _interopRequireDefault(_createClass2); + + var _inherits2 = __webpack_require__(/*! babel-runtime/helpers/inherits */ "./node_modules/babel-runtime/helpers/inherits.js"); + + var _inherits3 = _interopRequireDefault(_inherits2); + + var _utils = __webpack_require__(/*! ./utils */ "./src/base/utils.js"); + + var _ui_object = __webpack_require__(/*! ./ui_object */ "./src/base/ui_object.js"); + + var _ui_object2 = _interopRequireDefault(_ui_object); + + var _error_mixin = __webpack_require__(/*! ./error_mixin */ "./src/base/error_mixin.js"); + + var _error_mixin2 = _interopRequireDefault(_error_mixin); + + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + + /** + * The base class for an ui container plugin + * @class UIContainerPlugin + * @constructor + * @extends UIObject + * @module base + */ + var UIContainerPlugin = function (_UIObject) { + (0, _inherits3.default)(UIContainerPlugin, _UIObject); + (0, _createClass3.default)(UIContainerPlugin, [{ + key: 'playerError', + get: function get() { + return this.container.playerError; + } + }]); + + function UIContainerPlugin(container) { + (0, _classCallCheck3.default)(this, UIContainerPlugin); + + var _this = (0, _possibleConstructorReturn3.default)(this, _UIObject.call(this, container.options)); + + _this.container = container; + _this.enabled = true; + _this.bindEvents(); + return _this; + } + + UIContainerPlugin.prototype.enable = function enable() { + if (!this.enabled) { + this.bindEvents(); + this.$el.show(); + this.enabled = true; + } + }; + + UIContainerPlugin.prototype.disable = function disable() { + this.stopListening(); + this.$el.hide(); + this.enabled = false; + }; + + UIContainerPlugin.prototype.bindEvents = function bindEvents() {}; + + return UIContainerPlugin; + }(_ui_object2.default); // Copyright 2014 Globo.com Player authors. All rights reserved. +// Use of this source code is governed by a BSD-style +// license that can be found in the LICENSE file. + + exports.default = UIContainerPlugin; + + + (0, _assign2.default)(UIContainerPlugin.prototype, _error_mixin2.default); + + UIContainerPlugin.extend = function (properties) { + return (0, _utils.extend)(UIContainerPlugin, properties); + }; + + UIContainerPlugin.type = 'container'; + module.exports = exports['default']; + + /***/ }), + + /***/ "./src/base/ui_core_plugin.js": + /*!************************************!*\ + !*** ./src/base/ui_core_plugin.js ***! + \************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { + + "use strict"; + + + Object.defineProperty(exports, "__esModule", { + value: true + }); + + var _assign = __webpack_require__(/*! babel-runtime/core-js/object/assign */ "./node_modules/babel-runtime/core-js/object/assign.js"); + + var _assign2 = _interopRequireDefault(_assign); + + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); + + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + + var _possibleConstructorReturn2 = __webpack_require__(/*! babel-runtime/helpers/possibleConstructorReturn */ "./node_modules/babel-runtime/helpers/possibleConstructorReturn.js"); + + var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); + + var _createClass2 = __webpack_require__(/*! babel-runtime/helpers/createClass */ "./node_modules/babel-runtime/helpers/createClass.js"); + + var _createClass3 = _interopRequireDefault(_createClass2); + + var _inherits2 = __webpack_require__(/*! babel-runtime/helpers/inherits */ "./node_modules/babel-runtime/helpers/inherits.js"); + + var _inherits3 = _interopRequireDefault(_inherits2); + + var _utils = __webpack_require__(/*! ./utils */ "./src/base/utils.js"); + + var _ui_object = __webpack_require__(/*! ./ui_object */ "./src/base/ui_object.js"); + + var _ui_object2 = _interopRequireDefault(_ui_object); + + var _error_mixin = __webpack_require__(/*! ./error_mixin */ "./src/base/error_mixin.js"); + + var _error_mixin2 = _interopRequireDefault(_error_mixin); + + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + + var UICorePlugin = function (_UIObject) { + (0, _inherits3.default)(UICorePlugin, _UIObject); + (0, _createClass3.default)(UICorePlugin, [{ + key: 'playerError', + get: function get() { + return this.core.playerError; + } + }]); + + function UICorePlugin(core) { + (0, _classCallCheck3.default)(this, UICorePlugin); + + var _this = (0, _possibleConstructorReturn3.default)(this, _UIObject.call(this, core.options)); + + _this.core = core; + _this.enabled = true; + _this.bindEvents(); + _this.render(); + return _this; + } + + UICorePlugin.prototype.bindEvents = function bindEvents() {}; + + UICorePlugin.prototype.getExternalInterface = function getExternalInterface() { + return {}; + }; + + UICorePlugin.prototype.enable = function enable() { + if (!this.enabled) { + this.bindEvents(); + this.$el.show(); + this.enabled = true; + } + }; + + UICorePlugin.prototype.disable = function disable() { + this.stopListening(); + this.$el.hide(); + this.enabled = false; + }; + + UICorePlugin.prototype.render = function render() { + return this; + }; + + return UICorePlugin; + }(_ui_object2.default); + + exports.default = UICorePlugin; + + + (0, _assign2.default)(UICorePlugin.prototype, _error_mixin2.default); + + UICorePlugin.extend = function (properties) { + return (0, _utils.extend)(UICorePlugin, properties); + }; + + UICorePlugin.type = 'core'; + module.exports = exports['default']; + + /***/ }), + + /***/ "./src/base/ui_object.js": + /*!*******************************!*\ + !*** ./src/base/ui_object.js ***! + \*******************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { + + "use strict"; + + + Object.defineProperty(exports, "__esModule", { + value: true + }); + + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); + + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + + var _possibleConstructorReturn2 = __webpack_require__(/*! babel-runtime/helpers/possibleConstructorReturn */ "./node_modules/babel-runtime/helpers/possibleConstructorReturn.js"); + + var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); + + var _createClass2 = __webpack_require__(/*! babel-runtime/helpers/createClass */ "./node_modules/babel-runtime/helpers/createClass.js"); + + var _createClass3 = _interopRequireDefault(_createClass2); + + var _inherits2 = __webpack_require__(/*! babel-runtime/helpers/inherits */ "./node_modules/babel-runtime/helpers/inherits.js"); + + var _inherits3 = _interopRequireDefault(_inherits2); + + var _clapprZepto = __webpack_require__(/*! clappr-zepto */ "./node_modules/clappr-zepto/zepto.js"); + + var _clapprZepto2 = _interopRequireDefault(_clapprZepto); + + var _utils = __webpack_require__(/*! ./utils */ "./src/base/utils.js"); + + var _base_object = __webpack_require__(/*! ./base_object */ "./src/base/base_object.js"); + + var _base_object2 = _interopRequireDefault(_base_object); + + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + + var delegateEventSplitter = /^(\S+)\s*(.*)$/; + + /** + * A base class to create ui object. + * @class UIObject + * @constructor + * @extends BaseObject + * @module base + */ +// Copyright 2014 Globo.com Player authors. All rights reserved. +// Use of this source code is governed by a BSD-style +// license that can be found in the LICENSE file. + + var UIObject = function (_BaseObject) { + (0, _inherits3.default)(UIObject, _BaseObject); + (0, _createClass3.default)(UIObject, [{ + key: 'tagName', + + /** + * a unique id prefixed with `'c'`, `c1, c232` + * + * @property cid + * @type String + */ + /** + * the dom element itself + * + * @property el + * @type HTMLElement + */ + /** + * the dom element wrapped by `$` + * + * @property $el + * @type HTMLElement + */ + + /** + * gets the tag name for the ui component + * @method tagName + * @default div + * @return {String} tag's name + */ + get: function get() { + return 'div'; + } + /** + * a literal object mapping element's events to methods + * @property events + * @type Object + * @example + * + *```javascript + * + * class MyButton extends UIObject { + * constructor(options) { + * super(options) + * this.myId = 0 + * } + * get events() { return { 'click': 'myClick' } } + * myClick(){ this.myId = 42 } + * } + * + * // when you click on MyButton the method `myClick` will be called + *``` + */ + + }, { + key: 'events', + get: function get() { + return {}; + } + /** + * a literal object mapping attributes and values to the element + * element's attribute name and the value the attribute value + * @property attributes + * @type Object + * @example + * + *```javascript + * + * class MyButton extends UIObject { + * constructor(options) { super(options) } + * get attributes() { return { class: 'my-button'} } + * } + * + * // MyButton.el.className will be 'my-button' + * ``` + */ + + }, { + key: 'attributes', + get: function get() { + return {}; + } + + /** + * it builds an ui component by: + * * creating an id for the component `cid` + * * making sure the element is created `$el` + * * delegating all `events` to the element + * @method constructor + * @param {Object} options the options object + */ + + }]); + + function UIObject(options) { + (0, _classCallCheck3.default)(this, UIObject); + + var _this = (0, _possibleConstructorReturn3.default)(this, _BaseObject.call(this, options)); + + _this.cid = (0, _utils.uniqueId)('c'); + _this._ensureElement(); + _this.delegateEvents(); + return _this; + } + + /** + * selects within the component. + * @method $ + * @param {String} selector a selector to find within the component. + * @return {HTMLElement} an element, if it exists. + * @example + * ```javascript + * fullScreenBarUIComponent.$('.button-full') //will return only `.button-full` within the component + * ``` + */ + + + UIObject.prototype.$ = function $(selector) { + return this.$el.find(selector); + }; + + /** + * render the component, usually attach it to a real existent `element` + * @method render + * @return {UIObject} itself + */ + + + UIObject.prototype.render = function render() { + return this; + }; + + /** + * removes the ui component from DOM + * @method destroy + * @return {UIObject} itself + */ + + + UIObject.prototype.destroy = function destroy() { + this.$el.remove(); + this.stopListening(); + this.undelegateEvents(); + return this; + }; + + /** + * set element to `el` and `$el` + * @method setElement + * @param {HTMLElement} element + * @param {Boolean} delegate whether is delegate or not + * @return {UIObject} itself + */ + + + UIObject.prototype.setElement = function setElement(element, delegate) { + if (this.$el) this.undelegateEvents(); + this.$el = _clapprZepto2.default.zepto.isZ(element) ? element : (0, _clapprZepto2.default)(element); + this.el = this.$el[0]; + if (delegate !== false) this.delegateEvents(); + return this; + }; + + /** + * delegates all the original `events` on `element` to its callbacks + * @method delegateEvents + * @param {Object} events + * @return {UIObject} itself + */ + + + UIObject.prototype.delegateEvents = function delegateEvents(events) { + if (!(events || (events = this.events))) return this; + this.undelegateEvents(); + for (var key in events) { + var method = events[key]; + if (method && method.constructor !== Function) method = this[events[key]]; + if (!method) continue; + + var match = key.match(delegateEventSplitter); + var eventName = match[1], + selector = match[2]; + eventName += '.delegateEvents' + this.cid; + if (selector === '') this.$el.on(eventName, method.bind(this));else this.$el.on(eventName, selector, method.bind(this)); + } + return this; + }; + + /** + * undelegats all the `events` + * @method undelegateEvents + * @return {UIObject} itself + */ + + + UIObject.prototype.undelegateEvents = function undelegateEvents() { + this.$el.off('.delegateEvents' + this.cid); + return this; + }; + + /** + * ensures the creation of this ui component + * @method _ensureElement + * @private + */ + + + UIObject.prototype._ensureElement = function _ensureElement() { + if (!this.el) { + var attrs = _clapprZepto2.default.extend({}, this.attributes); + if (this.id) attrs.id = this.id; + if (this.className) attrs['class'] = this.className; + var $el = _utils.DomRecycler.create(this.tagName).attr(attrs); + this.setElement($el, false); + } else { + this.setElement(this.el, false); + } + }; + + return UIObject; + }(_base_object2.default); + + exports.default = UIObject; + module.exports = exports['default']; + + /***/ }), + + /***/ "./src/base/utils.js": + /*!***************************!*\ + !*** ./src/base/utils.js ***! + \***************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { + + "use strict"; + + + Object.defineProperty(exports, "__esModule", { + value: true + }); + exports.SvgIcons = exports.DoubleEventHandler = exports.DomRecycler = exports.cancelAnimationFrame = exports.requestAnimationFrame = exports.QueryString = exports.Config = exports.Fullscreen = undefined; + + var _assign = __webpack_require__(/*! babel-runtime/core-js/object/assign */ "./node_modules/babel-runtime/core-js/object/assign.js"); + + var _assign2 = _interopRequireDefault(_assign); + + var _createClass2 = __webpack_require__(/*! babel-runtime/helpers/createClass */ "./node_modules/babel-runtime/helpers/createClass.js"); + + var _createClass3 = _interopRequireDefault(_createClass2); + + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); + + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + + var _possibleConstructorReturn2 = __webpack_require__(/*! babel-runtime/helpers/possibleConstructorReturn */ "./node_modules/babel-runtime/helpers/possibleConstructorReturn.js"); + + var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); + + var _inherits2 = __webpack_require__(/*! babel-runtime/helpers/inherits */ "./node_modules/babel-runtime/helpers/inherits.js"); + + var _inherits3 = _interopRequireDefault(_inherits2); + + var _defineProperty = __webpack_require__(/*! babel-runtime/core-js/object/define-property */ "./node_modules/babel-runtime/core-js/object/define-property.js"); + + var _defineProperty2 = _interopRequireDefault(_defineProperty); + + var _getOwnPropertyDescriptor = __webpack_require__(/*! babel-runtime/core-js/object/get-own-property-descriptor */ "./node_modules/babel-runtime/core-js/object/get-own-property-descriptor.js"); + + var _getOwnPropertyDescriptor2 = _interopRequireDefault(_getOwnPropertyDescriptor); + + exports.assign = assign; + exports.extend = extend; + exports.formatTime = formatTime; + exports.seekStringToSeconds = seekStringToSeconds; + exports.uniqueId = uniqueId; + exports.isNumber = isNumber; + exports.currentScriptUrl = currentScriptUrl; + exports.getBrowserLanguage = getBrowserLanguage; + exports.now = now; + exports.removeArrayItem = removeArrayItem; + exports.listContainsIgnoreCase = listContainsIgnoreCase; + exports.canAutoPlayMedia = canAutoPlayMedia; + + __webpack_require__(/*! ./polyfills */ "./src/base/polyfills.js"); + + var _browser = __webpack_require__(/*! ../components/browser */ "./src/components/browser/index.js"); + + var _browser2 = _interopRequireDefault(_browser); + + var _clapprZepto = __webpack_require__(/*! clappr-zepto */ "./node_modules/clappr-zepto/zepto.js"); + + var _clapprZepto2 = _interopRequireDefault(_clapprZepto); + + var _media = __webpack_require__(/*! ./media */ "./src/base/media.js"); + + var _media2 = _interopRequireDefault(_media); + + var _svg_icons = __webpack_require__(/*! ./svg_icons */ "./src/base/svg_icons.js"); + + var _svg_icons2 = _interopRequireDefault(_svg_icons); + + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + + function assign(obj, source) { + if (source) { + for (var prop in source) { + var propDescriptor = (0, _getOwnPropertyDescriptor2.default)(source, prop); + propDescriptor ? (0, _defineProperty2.default)(obj, prop, propDescriptor) : obj[prop] = source[prop]; + } + } + return obj; + } // Copyright 2014 Globo.com Player authors. All rights reserved. +// Use of this source code is governed by a BSD-style +// license that can be found in the LICENSE file. + /*jshint -W079 */ + + function extend(parent, properties) { + var Surrogate = function (_parent) { + (0, _inherits3.default)(Surrogate, _parent); + + function Surrogate() { + (0, _classCallCheck3.default)(this, Surrogate); + + for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) { + args[_key] = arguments[_key]; + } + + var _this = (0, _possibleConstructorReturn3.default)(this, _parent.call.apply(_parent, [this].concat(args))); + + if (properties.initialize) properties.initialize.apply(_this, args); + + return _this; + } + + return Surrogate; + }(parent); + + assign(Surrogate.prototype, properties); + return Surrogate; + } + + function formatTime(time, paddedHours) { + if (!isFinite(time)) return '--:--'; + + time = time * 1000; + time = parseInt(time / 1000); + var seconds = time % 60; + time = parseInt(time / 60); + var minutes = time % 60; + time = parseInt(time / 60); + var hours = time % 24; + var days = parseInt(time / 24); + var out = ''; + if (days && days > 0) { + out += days + ':'; + if (hours < 1) out += '00:'; + } + if (hours && hours > 0 || paddedHours) out += ('0' + hours).slice(-2) + ':'; + out += ('0' + minutes).slice(-2) + ':'; + out += ('0' + seconds).slice(-2); + return out.trim(); + } + + var Fullscreen = exports.Fullscreen = { + fullscreenElement: function fullscreenElement() { + return document.fullscreenElement || document.webkitFullscreenElement || document.mozFullScreenElement || document.msFullscreenElement; + }, + requestFullscreen: function requestFullscreen(el) { + if (el.requestFullscreen) el.requestFullscreen();else if (el.webkitRequestFullscreen) el.webkitRequestFullscreen();else if (el.mozRequestFullScreen) el.mozRequestFullScreen();else if (el.msRequestFullscreen) el.msRequestFullscreen();else if (el.querySelector && el.querySelector('video') && el.querySelector('video').webkitEnterFullScreen) el.querySelector('video').webkitEnterFullScreen();else if (el.webkitEnterFullScreen) el.webkitEnterFullScreen(); + }, + cancelFullscreen: function cancelFullscreen() { + var el = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : document; + + if (el.exitFullscreen) el.exitFullscreen();else if (el.webkitCancelFullScreen) el.webkitCancelFullScreen();else if (el.webkitExitFullscreen) el.webkitExitFullscreen();else if (el.mozCancelFullScreen) el.mozCancelFullScreen();else if (el.msExitFullscreen) el.msExitFullscreen(); + }, + fullscreenEnabled: function fullscreenEnabled() { + return !!(document.fullscreenEnabled || document.webkitFullscreenEnabled || document.mozFullScreenEnabled || document.msFullscreenEnabled); + } + }; + + var Config = exports.Config = function () { + function Config() { + (0, _classCallCheck3.default)(this, Config); + } + + Config._defaultConfig = function _defaultConfig() { + return { + volume: { + value: 100, + parse: parseInt + } + }; + }; + + Config._defaultValueFor = function _defaultValueFor(key) { + try { + return this._defaultConfig()[key].parse(this._defaultConfig()[key].value); + } catch (e) { + return undefined; + } + }; + + Config._createKeyspace = function _createKeyspace(key) { + return 'clappr.' + document.domain + '.' + key; + }; + + Config.restore = function restore(key) { + if (_browser2.default.hasLocalstorage && localStorage[this._createKeyspace(key)]) return this._defaultConfig()[key].parse(localStorage[this._createKeyspace(key)]); + + return this._defaultValueFor(key); + }; + + Config.persist = function persist(key, value) { + if (_browser2.default.hasLocalstorage) { + try { + localStorage[this._createKeyspace(key)] = value; + return true; + } catch (e) { + return false; + } + } + }; + + return Config; + }(); + + var QueryString = exports.QueryString = function () { + function QueryString() { + (0, _classCallCheck3.default)(this, QueryString); + } + + QueryString.parse = function parse(paramsString) { + var match = void 0; + var pl = /\+/g, + // Regex for replacing addition symbol with a space + search = /([^&=]+)=?([^&]*)/g, + decode = function decode(s) { + return decodeURIComponent(s.replace(pl, ' ')); + }, + params = {}; + while (match = search.exec(paramsString)) { + // eslint-disable-line no-cond-assign + params[decode(match[1]).toLowerCase()] = decode(match[2]); + } + return params; + }; + + (0, _createClass3.default)(QueryString, null, [{ + key: 'params', + get: function get() { + var query = window.location.search.substring(1); + if (query !== this.query) { + this._urlParams = this.parse(query); + this.query = query; + } + return this._urlParams; + } + }, { + key: 'hashParams', + get: function get() { + var hash = window.location.hash.substring(1); + if (hash !== this.hash) { + this._hashParams = this.parse(hash); + this.hash = hash; + } + return this._hashParams; + } + }]); + return QueryString; + }(); + + function seekStringToSeconds() { + var paramName = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : 't'; + + var seconds = 0; + var seekString = QueryString.params[paramName] || QueryString.hashParams[paramName] || ''; + var parts = seekString.match(/[0-9]+[hms]+/g) || []; + if (parts.length > 0) { + var factor = { 'h': 3600, 'm': 60, 's': 1 }; + parts.forEach(function (el) { + if (el) { + var suffix = el[el.length - 1]; + var time = parseInt(el.slice(0, el.length - 1), 10); + seconds += time * factor[suffix]; + } + }); + } else if (seekString) { + seconds = parseInt(seekString, 10); + } + + return seconds; + } + + var idsCounter = {}; + + function uniqueId(prefix) { + idsCounter[prefix] || (idsCounter[prefix] = 0); + var id = ++idsCounter[prefix]; + return prefix + id; + } + + function isNumber(value) { + return value - parseFloat(value) + 1 >= 0; + } + + function currentScriptUrl() { + var scripts = document.getElementsByTagName('script'); + return scripts.length ? scripts[scripts.length - 1].src : ''; + } + + var requestAnimationFrame = exports.requestAnimationFrame = (window.requestAnimationFrame || window.mozRequestAnimationFrame || window.webkitRequestAnimationFrame || function (fn) { + window.setTimeout(fn, 1000 / 60); + }).bind(window); + + var cancelAnimationFrame = exports.cancelAnimationFrame = (window.cancelAnimationFrame || window.mozCancelAnimationFrame || window.webkitCancelAnimationFrame || window.clearTimeout).bind(window); + + function getBrowserLanguage() { + return window.navigator && window.navigator.language; + } + + function now() { + if (window.performance && window.performance.now) return performance.now(); + + return Date.now(); + } + +// remove the item from the array if it exists in the array + function removeArrayItem(arr, item) { + var i = arr.indexOf(item); + if (i >= 0) arr.splice(i, 1); + } + +// find an item regardless of its letter case + function listContainsIgnoreCase(item, items) { + if (item === undefined || items === undefined) return false; + return items.find(function (itemEach) { + return item.toLowerCase() === itemEach.toLowerCase(); + }) !== undefined; + } + +// https://github.com/video-dev/can-autoplay + function canAutoPlayMedia(cb, options) { + options = (0, _assign2.default)({ + inline: false, + muted: false, + timeout: 250, + type: 'video', + source: _media2.default.mp4, + element: null + }, options); + + var element = options.element ? options.element : document.createElement(options.type); + + element.muted = options.muted; + if (options.muted === true) element.setAttribute('muted', 'muted'); + + if (options.inline === true) element.setAttribute('playsinline', 'playsinline'); + + element.src = options.source; + + var promise = element.play(); + + var timeoutId = setTimeout(function () { + setResult(false, new Error('Timeout ' + options.timeout + ' ms has been reached')); + }, options.timeout); + + var setResult = function setResult(result) { + var error = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : null; + + clearTimeout(timeoutId); + cb(result, error); + }; + + if (promise !== undefined) { + promise.then(function () { + return setResult(true); + }).catch(function (err) { + return setResult(false, err); + }); + } else { + setResult(true); + } + } + +// Simple Zepto element factory with video recycle feature. + var videoStack = []; + + var DomRecycler = exports.DomRecycler = function () { + function DomRecycler() { + (0, _classCallCheck3.default)(this, DomRecycler); + } + + DomRecycler.configure = function configure(options) { + this.options = _clapprZepto2.default.extend(this.options, options); + }; + + DomRecycler.create = function create(name) { + if (this.options.recycleVideo && name === 'video' && videoStack.length > 0) return videoStack.shift(); + + return (0, _clapprZepto2.default)('<' + name + '>'); + }; + + DomRecycler.garbage = function garbage($el) { + // Expect Zepto collection with single element (does not iterate!) + if (!this.options.recycleVideo || $el[0].tagName.toUpperCase() !== 'VIDEO') return; + $el.children().remove(); + videoStack.push($el); + }; + + return DomRecycler; + }(); + + DomRecycler.options = { recycleVideo: false }; + + var DoubleEventHandler = exports.DoubleEventHandler = function () { + function DoubleEventHandler() { + var delay = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : 500; + (0, _classCallCheck3.default)(this, DoubleEventHandler); + + this.delay = delay; + this.lastTime = 0; + } + + DoubleEventHandler.prototype.handle = function handle(event, cb) { + var prevented = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : true; + + // Based on http://jsfiddle.net/brettwp/J4djY/ + var currentTime = new Date().getTime(); + var diffTime = currentTime - this.lastTime; + + if (diffTime < this.delay && diffTime > 0) { + cb(); + prevented && event.preventDefault(); + } + + this.lastTime = currentTime; + }; + + return DoubleEventHandler; + }(); + + var SvgIcons = exports.SvgIcons = _svg_icons2.default; + + exports.default = { + Config: Config, + Fullscreen: Fullscreen, + QueryString: QueryString, + DomRecycler: DomRecycler, + extend: extend, + formatTime: formatTime, + seekStringToSeconds: seekStringToSeconds, + uniqueId: uniqueId, + currentScriptUrl: currentScriptUrl, + isNumber: isNumber, + requestAnimationFrame: requestAnimationFrame, + cancelAnimationFrame: cancelAnimationFrame, + getBrowserLanguage: getBrowserLanguage, + now: now, + removeArrayItem: removeArrayItem, + canAutoPlayMedia: canAutoPlayMedia, + Media: _media2.default, + DoubleEventHandler: DoubleEventHandler, + SvgIcons: _svg_icons2.default + }; + + /***/ }), + + /***/ "./src/components/browser/browser.js": + /*!*******************************************!*\ + !*** ./src/components/browser/browser.js ***! + \*******************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { + + "use strict"; + + + Object.defineProperty(exports, "__esModule", { + value: true + }); + exports.getDevice = exports.getViewportSize = exports.getOsData = exports.getBrowserData = exports.getBrowserInfo = undefined; + + var _getIterator2 = __webpack_require__(/*! babel-runtime/core-js/get-iterator */ "./node_modules/babel-runtime/core-js/get-iterator.js"); + + var _getIterator3 = _interopRequireDefault(_getIterator2); + + var _clapprZepto = __webpack_require__(/*! clappr-zepto */ "./node_modules/clappr-zepto/zepto.js"); + + var _clapprZepto2 = _interopRequireDefault(_clapprZepto); + + var _browser_data = __webpack_require__(/*! ./browser_data */ "./src/components/browser/browser_data.js"); + + var _browser_data2 = _interopRequireDefault(_browser_data); + + var _os_data = __webpack_require__(/*! ./os_data */ "./src/components/browser/os_data.js"); + + var _os_data2 = _interopRequireDefault(_os_data); + + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + + var Browser = {}; + + var hasLocalstorage = function hasLocalstorage() { + try { + localStorage.setItem('clappr', 'clappr'); + localStorage.removeItem('clappr'); + return true; + } catch (e) { + return false; + } + }; + + var hasFlash = function hasFlash() { + try { + var fo = new ActiveXObject('ShockwaveFlash.ShockwaveFlash'); + return !!fo; + } catch (e) { + return !!(navigator.mimeTypes && navigator.mimeTypes['application/x-shockwave-flash'] !== undefined && navigator.mimeTypes['application/x-shockwave-flash'].enabledPlugin); + } + }; + + var getBrowserInfo = exports.getBrowserInfo = function getBrowserInfo(ua) { + var parts = ua.match(/\b(playstation 4|nx|opera|chrome|safari|firefox|msie|trident(?=\/))\/?\s*(\d+)/i) || [], + extra = void 0; + if (/trident/i.test(parts[1])) { + extra = /\brv[ :]+(\d+)/g.exec(ua) || []; + return { + name: 'IE', + version: parseInt(extra[1] || '') + }; + } else if (parts[1] === 'Chrome') { + extra = ua.match(/\bOPR\/(\d+)/); + if (extra != null) return { name: 'Opera', version: parseInt(extra[1]) }; + + extra = ua.match(/\bEdge\/(\d+)/); + if (extra != null) return { name: 'Edge', version: parseInt(extra[1]) }; + } else if (/android/i.test(ua) && (extra = ua.match(/version\/(\d+)/i))) { + parts.splice(1, 1, 'Android WebView'); + parts.splice(2, 1, extra[1]); + } + parts = parts[2] ? [parts[1], parts[2]] : [navigator.appName, navigator.appVersion, '-?']; + + return { + name: parts[0], + version: parseInt(parts[1]) + }; + }; + +// Get browser data + var getBrowserData = exports.getBrowserData = function getBrowserData() { + var browserObject = {}; + var userAgent = Browser.userAgent.toLowerCase(); + + // Check browser type + var _iteratorNormalCompletion = true; + var _didIteratorError = false; + var _iteratorError = undefined; + + try { + for (var _iterator = (0, _getIterator3.default)(_browser_data2.default), _step; !(_iteratorNormalCompletion = (_step = _iterator.next()).done); _iteratorNormalCompletion = true) { + var browser = _step.value; + + var browserRegExp = new RegExp(browser.identifier.toLowerCase()); + var browserRegExpResult = browserRegExp.exec(userAgent); + + if (browserRegExpResult != null && browserRegExpResult[1]) { + browserObject.name = browser.name; + browserObject.group = browser.group; + + // Check version + if (browser.versionIdentifier) { + var versionRegExp = new RegExp(browser.versionIdentifier.toLowerCase()); + var versionRegExpResult = versionRegExp.exec(userAgent); + + if (versionRegExpResult != null && versionRegExpResult[1]) setBrowserVersion(versionRegExpResult[1], browserObject); + } else { + setBrowserVersion(browserRegExpResult[1], browserObject); + } + break; + } + } + } catch (err) { + _didIteratorError = true; + _iteratorError = err; + } finally { + try { + if (!_iteratorNormalCompletion && _iterator.return) { + _iterator.return(); + } + } finally { + if (_didIteratorError) { + throw _iteratorError; + } + } + } + + return browserObject; + }; + +// Set browser version + var setBrowserVersion = function setBrowserVersion(version, browserObject) { + var splitVersion = version.split('.', 2); + browserObject.fullVersion = version; + + // Major version + if (splitVersion[0]) browserObject.majorVersion = parseInt(splitVersion[0]); + + // Minor version + if (splitVersion[1]) browserObject.minorVersion = parseInt(splitVersion[1]); + }; + +// Get OS data + var getOsData = exports.getOsData = function getOsData() { + var osObject = {}; + var userAgent = Browser.userAgent.toLowerCase(); + + // Check browser type + var _iteratorNormalCompletion2 = true; + var _didIteratorError2 = false; + var _iteratorError2 = undefined; + + try { + for (var _iterator2 = (0, _getIterator3.default)(_os_data2.default), _step2; !(_iteratorNormalCompletion2 = (_step2 = _iterator2.next()).done); _iteratorNormalCompletion2 = true) { + var os = _step2.value; + + var osRegExp = new RegExp(os.identifier.toLowerCase()); + var osRegExpResult = osRegExp.exec(userAgent); + + if (osRegExpResult != null) { + osObject.name = os.name; + osObject.group = os.group; + + // Version defined + if (os.version) { + setOsVersion(os.version, os.versionSeparator ? os.versionSeparator : '.', osObject); + + // Version detected + } else if (osRegExpResult[1]) { + setOsVersion(osRegExpResult[1], os.versionSeparator ? os.versionSeparator : '.', osObject); + + // Version identifier + } else if (os.versionIdentifier) { + var versionRegExp = new RegExp(os.versionIdentifier.toLowerCase()); + var versionRegExpResult = versionRegExp.exec(userAgent); + + if (versionRegExpResult != null && versionRegExpResult[1]) setOsVersion(versionRegExpResult[1], os.versionSeparator ? os.versionSeparator : '.', osObject); + } + break; + } + } + } catch (err) { + _didIteratorError2 = true; + _iteratorError2 = err; + } finally { + try { + if (!_iteratorNormalCompletion2 && _iterator2.return) { + _iterator2.return(); + } + } finally { + if (_didIteratorError2) { + throw _iteratorError2; + } + } + } + + return osObject; + }; + +// Set OS version + var setOsVersion = function setOsVersion(version, separator, osObject) { + var finalSeparator = separator.substr(0, 1) == '[' ? new RegExp(separator, 'g') : separator; + var splitVersion = version.split(finalSeparator, 2); + + if (separator != '.') version = version.replace(new RegExp(separator, 'g'), '.'); + + osObject.fullVersion = version; + + // Major version + if (splitVersion && splitVersion[0]) osObject.majorVersion = parseInt(splitVersion[0]); + + // Minor version + if (splitVersion && splitVersion[1]) osObject.minorVersion = parseInt(splitVersion[1]); + }; + +// Set viewport size + var getViewportSize = exports.getViewportSize = function getViewportSize() { + var viewportObject = {}; + + viewportObject.width = (0, _clapprZepto2.default)(window).width(); + viewportObject.height = (0, _clapprZepto2.default)(window).height(); + + return viewportObject; + }; + +// Set viewport orientation + var setViewportOrientation = function setViewportOrientation() { + switch (window.orientation) { + case -90: + case 90: + Browser.viewport.orientation = 'landscape'; + break; + default: + Browser.viewport.orientation = 'portrait'; + break; + } + }; + + var getDevice = exports.getDevice = function getDevice(ua) { + var platformRegExp = /\((iP(?:hone|ad|od))?(?:[^;]*; ){0,2}([^)]+(?=\)))/; + var matches = platformRegExp.exec(ua); + var device = matches && (matches[1] || matches[2]) || ''; + return device; + }; + + var browserInfo = getBrowserInfo(navigator.userAgent); + + Browser.isEdge = /edge/i.test(navigator.userAgent); + Browser.isChrome = /chrome|CriOS/i.test(navigator.userAgent) && !Browser.isEdge; + Browser.isSafari = /safari/i.test(navigator.userAgent) && !Browser.isChrome && !Browser.isEdge; + Browser.isFirefox = /firefox/i.test(navigator.userAgent); + Browser.isLegacyIE = !!window.ActiveXObject; + Browser.isIE = Browser.isLegacyIE || /trident.*rv:1\d/i.test(navigator.userAgent); + Browser.isIE11 = /trident.*rv:11/i.test(navigator.userAgent); + Browser.isChromecast = Browser.isChrome && /CrKey/i.test(navigator.userAgent); + Browser.isMobile = /Android|webOS|iPhone|iPad|iPod|BlackBerry|Windows Phone|IEMobile|Mobile Safari|Opera Mini/i.test(navigator.userAgent); + Browser.isiOS = /iPad|iPhone|iPod/i.test(navigator.userAgent); + Browser.isAndroid = /Android/i.test(navigator.userAgent); + Browser.isWindowsPhone = /Windows Phone/i.test(navigator.userAgent); + Browser.isWin8App = /MSAppHost/i.test(navigator.userAgent); + Browser.isWiiU = /WiiU/i.test(navigator.userAgent); + Browser.isPS4 = /PlayStation 4/i.test(navigator.userAgent); + Browser.hasLocalstorage = hasLocalstorage(); + Browser.hasFlash = hasFlash(); + + /** + * @deprecated + * This parameter currently exists for retrocompatibility reasons. + * Use Browser.data.name instead. + */ + Browser.name = browserInfo.name; + + /** + * @deprecated + * This parameter currently exists for retrocompatibility reasons. + * Use Browser.data.fullVersion instead. + */ + Browser.version = browserInfo.version; + + Browser.userAgent = navigator.userAgent; + Browser.data = getBrowserData(); + Browser.os = getOsData(); + Browser.viewport = getViewportSize(); + Browser.device = getDevice(Browser.userAgent); + typeof window.orientation !== 'undefined' && setViewportOrientation(); + + exports.default = Browser; + + /***/ }), + + /***/ "./src/components/browser/browser_data.js": + /*!************************************************!*\ + !*** ./src/components/browser/browser_data.js ***! + \************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { + + "use strict"; + + + Object.defineProperty(exports, "__esModule", { + value: true + }); + /* eslint-disable no-useless-escape */ +// The order of the following arrays is important, be careful if you change it. + + var BROWSER_DATA = [{ + name: 'Chromium', + group: 'Chrome', + identifier: 'Chromium/([0-9\.]*)' + }, { + name: 'Chrome Mobile', + group: 'Chrome', + identifier: 'Chrome/([0-9\.]*) Mobile', + versionIdentifier: 'Chrome/([0-9\.]*)' + }, { + name: 'Chrome', + group: 'Chrome', + identifier: 'Chrome/([0-9\.]*)' + }, { + name: 'Chrome for iOS', + group: 'Chrome', + identifier: 'CriOS/([0-9\.]*)' + }, { + name: 'Android Browser', + group: 'Chrome', + identifier: 'CrMo/([0-9\.]*)' + }, { + name: 'Firefox', + group: 'Firefox', + identifier: 'Firefox/([0-9\.]*)' + }, { + name: 'Opera Mini', + group: 'Opera', + identifier: 'Opera Mini/([0-9\.]*)' + }, { + name: 'Opera', + group: 'Opera', + identifier: 'Opera ([0-9\.]*)' + }, { + name: 'Opera', + group: 'Opera', + identifier: 'Opera/([0-9\.]*)', + versionIdentifier: 'Version/([0-9\.]*)' + }, { + name: 'IEMobile', + group: 'Explorer', + identifier: 'IEMobile/([0-9\.]*)' + }, { + name: 'Internet Explorer', + group: 'Explorer', + identifier: 'MSIE ([a-zA-Z0-9\.]*)' + }, { + name: 'Internet Explorer', + group: 'Explorer', + identifier: 'Trident/([0-9\.]*)', + versionIdentifier: 'rv:([0-9\.]*)' + }, { + name: 'Spartan', + group: 'Spartan', + identifier: 'Edge/([0-9\.]*)', + versionIdentifier: 'Edge/([0-9\.]*)' + }, { + name: 'Safari', + group: 'Safari', + identifier: 'Safari/([0-9\.]*)', + versionIdentifier: 'Version/([0-9\.]*)' + }]; + + exports.default = BROWSER_DATA; + module.exports = exports['default']; + + /***/ }), + + /***/ "./src/components/browser/index.js": + /*!*****************************************!*\ + !*** ./src/components/browser/index.js ***! + \*****************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { + + "use strict"; + + + Object.defineProperty(exports, "__esModule", { + value: true + }); + + var _browser = __webpack_require__(/*! ./browser */ "./src/components/browser/browser.js"); + + var _browser2 = _interopRequireDefault(_browser); + + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + + exports.default = _browser2.default; + module.exports = exports['default']; + + /***/ }), + + /***/ "./src/components/browser/os_data.js": + /*!*******************************************!*\ + !*** ./src/components/browser/os_data.js ***! + \*******************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { + + "use strict"; + + + Object.defineProperty(exports, "__esModule", { + value: true + }); + /* eslint-disable no-useless-escape */ +// The order of the following arrays is important, be careful if you change it. + + var OS_DATA = [{ + name: 'Windows 2000', + group: 'Windows', + identifier: 'Windows NT 5.0', + version: '5.0' + }, { + name: 'Windows XP', + group: 'Windows', + identifier: 'Windows NT 5.1', + version: '5.1' + }, { + name: 'Windows Vista', + group: 'Windows', + identifier: 'Windows NT 6.0', + version: '6.0' + }, { + name: 'Windows 7', + group: 'Windows', + identifier: 'Windows NT 6.1', + version: '7.0' + }, { + name: 'Windows 8', + group: 'Windows', + identifier: 'Windows NT 6.2', + version: '8.0' + }, { + name: 'Windows 8.1', + group: 'Windows', + identifier: 'Windows NT 6.3', + version: '8.1' + }, { + name: 'Windows 10', + group: 'Windows', + identifier: 'Windows NT 10.0', + version: '10.0' + }, { + name: 'Windows Phone', + group: 'Windows Phone', + identifier: 'Windows Phone ([0-9\.]*)' + }, { + name: 'Windows Phone', + group: 'Windows Phone', + identifier: 'Windows Phone OS ([0-9\.]*)' + }, { + name: 'Windows', + group: 'Windows', + identifier: 'Windows' + }, { + name: 'Chrome OS', + group: 'Chrome OS', + identifier: 'CrOS' + }, { + name: 'Android', + group: 'Android', + identifier: 'Android', + versionIdentifier: 'Android ([a-zA-Z0-9\.-]*)' + }, { + name: 'iPad', + group: 'iOS', + identifier: 'iPad', + versionIdentifier: 'OS ([0-9_]*)', + versionSeparator: '[_|\.]' + }, { + name: 'iPod', + group: 'iOS', + identifier: 'iPod', + versionIdentifier: 'OS ([0-9_]*)', + versionSeparator: '[_|\.]' + }, { + name: 'iPhone', + group: 'iOS', + identifier: 'iPhone OS', + versionIdentifier: 'OS ([0-9_]*)', + versionSeparator: '[_|\.]' + }, { + name: 'Mac OS X High Sierra', + group: 'Mac OS', + identifier: 'Mac OS X (10([_|\.])13([0-9_\.]*))', + versionSeparator: '[_|\.]' + }, { + name: 'Mac OS X Sierra', + group: 'Mac OS', + identifier: 'Mac OS X (10([_|\.])12([0-9_\.]*))', + versionSeparator: '[_|\.]' + }, { + name: 'Mac OS X El Capitan', + group: 'Mac OS', + identifier: 'Mac OS X (10([_|\.])11([0-9_\.]*))', + versionSeparator: '[_|\.]' + }, { + name: 'Mac OS X Yosemite', + group: 'Mac OS', + identifier: 'Mac OS X (10([_|\.])10([0-9_\.]*))', + versionSeparator: '[_|\.]' + }, { + name: 'Mac OS X Mavericks', + group: 'Mac OS', + identifier: 'Mac OS X (10([_|\.])9([0-9_\.]*))', + versionSeparator: '[_|\.]' + }, { + name: 'Mac OS X Mountain Lion', + group: 'Mac OS', + identifier: 'Mac OS X (10([_|\.])8([0-9_\.]*))', + versionSeparator: '[_|\.]' + }, { + name: 'Mac OS X Lion', + group: 'Mac OS', + identifier: 'Mac OS X (10([_|\.])7([0-9_\.]*))', + versionSeparator: '[_|\.]' + }, { + name: 'Mac OS X Snow Leopard', + group: 'Mac OS', + identifier: 'Mac OS X (10([_|\.])6([0-9_\.]*))', + versionSeparator: '[_|\.]' + }, { + name: 'Mac OS X Leopard', + group: 'Mac OS', + identifier: 'Mac OS X (10([_|\.])5([0-9_\.]*))', + versionSeparator: '[_|\.]' + }, { + name: 'Mac OS X Tiger', + group: 'Mac OS', + identifier: 'Mac OS X (10([_|\.])4([0-9_\.]*))', + versionSeparator: '[_|\.]' + }, { + name: 'Mac OS X Panther', + group: 'Mac OS', + identifier: 'Mac OS X (10([_|\.])3([0-9_\.]*))', + versionSeparator: '[_|\.]' + }, { + name: 'Mac OS X Jaguar', + group: 'Mac OS', + identifier: 'Mac OS X (10([_|\.])2([0-9_\.]*))', + versionSeparator: '[_|\.]' + }, { + name: 'Mac OS X Puma', + group: 'Mac OS', + identifier: 'Mac OS X (10([_|\.])1([0-9_\.]*))', + versionSeparator: '[_|\.]' + }, { + name: 'Mac OS X Cheetah', + group: 'Mac OS', + identifier: 'Mac OS X (10([_|\.])0([0-9_\.]*))', + versionSeparator: '[_|\.]' + }, { + name: 'Mac OS', + group: 'Mac OS', + identifier: 'Mac OS' + }, { + name: 'Ubuntu', + group: 'Linux', + identifier: 'Ubuntu', + versionIdentifier: 'Ubuntu/([0-9\.]*)' + }, { + name: 'Debian', + group: 'Linux', + identifier: 'Debian' + }, { + name: 'Gentoo', + group: 'Linux', + identifier: 'Gentoo' + }, { + name: 'Linux', + group: 'Linux', + identifier: 'Linux' + }, { + name: 'BlackBerry', + group: 'BlackBerry', + identifier: 'BlackBerry' + }]; + + exports.default = OS_DATA; + module.exports = exports['default']; + + /***/ }), + + /***/ "./src/components/container/container.js": + /*!***********************************************!*\ + !*** ./src/components/container/container.js ***! + \***********************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { + + "use strict"; + + + Object.defineProperty(exports, "__esModule", { + value: true + }); + + var _assign = __webpack_require__(/*! babel-runtime/core-js/object/assign */ "./node_modules/babel-runtime/core-js/object/assign.js"); + + var _assign2 = _interopRequireDefault(_assign); + + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); + + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + + var _possibleConstructorReturn2 = __webpack_require__(/*! babel-runtime/helpers/possibleConstructorReturn */ "./node_modules/babel-runtime/helpers/possibleConstructorReturn.js"); + + var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); + + var _createClass2 = __webpack_require__(/*! babel-runtime/helpers/createClass */ "./node_modules/babel-runtime/helpers/createClass.js"); + + var _createClass3 = _interopRequireDefault(_createClass2); + + var _inherits2 = __webpack_require__(/*! babel-runtime/helpers/inherits */ "./node_modules/babel-runtime/helpers/inherits.js"); + + var _inherits3 = _interopRequireDefault(_inherits2); + + var _events = __webpack_require__(/*! ../../base/events */ "./src/base/events.js"); + + var _events2 = _interopRequireDefault(_events); + + var _ui_object = __webpack_require__(/*! ../../base/ui_object */ "./src/base/ui_object.js"); + + var _ui_object2 = _interopRequireDefault(_ui_object); + + var _error_mixin = __webpack_require__(/*! ../../base/error_mixin */ "./src/base/error_mixin.js"); + + var _error_mixin2 = _interopRequireDefault(_error_mixin); + + var _utils = __webpack_require__(/*! ../../base/utils */ "./src/base/utils.js"); + + __webpack_require__(/*! ./public/style.scss */ "./src/components/container/public/style.scss"); + + var _clapprZepto = __webpack_require__(/*! clappr-zepto */ "./node_modules/clappr-zepto/zepto.js"); + + var _clapprZepto2 = _interopRequireDefault(_clapprZepto); + + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + + /** + * An abstraction to represent a container for a given playback + * TODO: describe its responsabilities + * @class Container + * @constructor + * @extends UIObject + * @module base + */ +// Copyright 2014 Globo.com Player authors. All rights reserved. +// Use of this source code is governed by a BSD-style +// license that can be found in the LICENSE file. + + /** + * Container is responsible for the video rendering and state + */ + + var Container = function (_UIObject) { + (0, _inherits3.default)(Container, _UIObject); + (0, _createClass3.default)(Container, [{ + key: 'name', + + /** + * container's name + * @method name + * @default Container + * @return {String} container's name + */ + get: function get() { + return 'Container'; + } + }, { + key: 'attributes', + get: function get() { + return { class: 'container', 'data-container': '' }; + } + }, { + key: 'events', + get: function get() { + return { + 'click': 'clicked', + 'dblclick': 'dblClicked', + 'touchend': 'dblTap', + 'contextmenu': 'onContextMenu', + 'mouseenter': 'mouseEnter', + 'mouseleave': 'mouseLeave' + }; + } + + /** + * Determine if the playback has ended. + * @property ended + * @type Boolean + */ + + }, { + key: 'ended', + get: function get() { + return this.playback.ended; + } + + /** + * Determine if the playback is having to buffer in order for + * playback to be smooth. + * (i.e if a live stream is playing smoothly, this will be false) + * @property buffering + * @type Boolean + */ + + }, { + key: 'buffering', + get: function get() { + return this.playback.buffering; + } + + /** + * The internationalization plugin. + * @property i18n + * @type {Strings} + */ + + }, { + key: 'i18n', + get: function get() { + return this._i18n; + } + + /** + * checks if has closed caption tracks. + * @property hasClosedCaptionsTracks + * @type {Boolean} + */ + + }, { + key: 'hasClosedCaptionsTracks', + get: function get() { + return this.playback.hasClosedCaptionsTracks; + } + + /** + * gets the available closed caption tracks. + * @property closedCaptionsTracks + * @type {Array} an array of objects with at least 'id' and 'name' properties + */ + + }, { + key: 'closedCaptionsTracks', + get: function get() { + return this.playback.closedCaptionsTracks; + } + + /** + * gets the selected closed caption track index. (-1 is disabled) + * @property closedCaptionsTrackId + * @type {Number} + */ + + }, { + key: 'closedCaptionsTrackId', + get: function get() { + return this.playback.closedCaptionsTrackId; + } + + /** + * sets the selected closed caption track index. (-1 is disabled) + * @property closedCaptionsTrackId + * @type {Number} + */ + , + set: function set(trackId) { + this.playback.closedCaptionsTrackId = trackId; + } + + /** + * it builds a container + * @method constructor + * @param {Object} options the options object + * @param {Strings} i18n the internationalization component + */ + + }]); + + function Container(options, i18n, playerError) { + (0, _classCallCheck3.default)(this, Container); + + var _this = (0, _possibleConstructorReturn3.default)(this, _UIObject.call(this, options)); + + _this._i18n = i18n; + _this.currentTime = 0; + _this.volume = 100; + _this.playback = options.playback; + _this.playerError = playerError; + _this.settings = _clapprZepto2.default.extend({}, _this.playback.settings); + _this.isReady = false; + _this.mediaControlDisabled = false; + _this.plugins = [_this.playback]; + _this.dblTapHandler = new _utils.DoubleEventHandler(500); + _this.clickTimer = null; + _this.clickDelay = 200; // FIXME: could be a player option + _this.bindEvents(); + return _this; + } + + /** + * binds playback events to the methods of the container. + * it listens to playback's events and triggers them as container events. + * + * | Playback | + * |----------| + * | progress | + * | timeupdate | + * | ready | + * | buffering | + * | bufferfull | + * | settingsupdate | + * | loadedmetadata | + * | highdefinitionupdate | + * | bitrate | + * | playbackstate | + * | dvr | + * | mediacontrol_disable | + * | mediacontrol_enable | + * | ended | + * | play | + * | pause | + * | error | + * + * ps: the events usually translate from PLABACK_x to CONTAINER_x, you can check all the events at `Event` class. + * + * @method bindEvents + */ + + + Container.prototype.bindEvents = function bindEvents() { + this.listenTo(this.playback, _events2.default.PLAYBACK_PROGRESS, this.onProgress); + this.listenTo(this.playback, _events2.default.PLAYBACK_TIMEUPDATE, this.timeUpdated); + this.listenTo(this.playback, _events2.default.PLAYBACK_READY, this.ready); + this.listenTo(this.playback, _events2.default.PLAYBACK_BUFFERING, this.onBuffering); + this.listenTo(this.playback, _events2.default.PLAYBACK_BUFFERFULL, this.bufferfull); + this.listenTo(this.playback, _events2.default.PLAYBACK_SETTINGSUPDATE, this.settingsUpdate); + this.listenTo(this.playback, _events2.default.PLAYBACK_LOADEDMETADATA, this.loadedMetadata); + this.listenTo(this.playback, _events2.default.PLAYBACK_HIGHDEFINITIONUPDATE, this.highDefinitionUpdate); + this.listenTo(this.playback, _events2.default.PLAYBACK_BITRATE, this.updateBitrate); + this.listenTo(this.playback, _events2.default.PLAYBACK_PLAYBACKSTATE, this.playbackStateChanged); + this.listenTo(this.playback, _events2.default.PLAYBACK_DVR, this.playbackDvrStateChanged); + this.listenTo(this.playback, _events2.default.PLAYBACK_MEDIACONTROL_DISABLE, this.disableMediaControl); + this.listenTo(this.playback, _events2.default.PLAYBACK_MEDIACONTROL_ENABLE, this.enableMediaControl); + this.listenTo(this.playback, _events2.default.PLAYBACK_SEEKED, this.onSeeked); + this.listenTo(this.playback, _events2.default.PLAYBACK_ENDED, this.onEnded); + this.listenTo(this.playback, _events2.default.PLAYBACK_PLAY, this.playing); + this.listenTo(this.playback, _events2.default.PLAYBACK_PAUSE, this.paused); + this.listenTo(this.playback, _events2.default.PLAYBACK_STOP, this.stopped); + this.listenTo(this.playback, _events2.default.PLAYBACK_ERROR, this.error); + this.listenTo(this.playback, _events2.default.PLAYBACK_SUBTITLE_AVAILABLE, this.subtitleAvailable); + this.listenTo(this.playback, _events2.default.PLAYBACK_SUBTITLE_CHANGED, this.subtitleChanged); + }; + + Container.prototype.subtitleAvailable = function subtitleAvailable() { + this.trigger(_events2.default.CONTAINER_SUBTITLE_AVAILABLE); + }; + + Container.prototype.subtitleChanged = function subtitleChanged(track) { + this.trigger(_events2.default.CONTAINER_SUBTITLE_CHANGED, track); + }; + + Container.prototype.playbackStateChanged = function playbackStateChanged(state) { + this.trigger(_events2.default.CONTAINER_PLAYBACKSTATE, state); + }; + + Container.prototype.playbackDvrStateChanged = function playbackDvrStateChanged(dvrInUse) { + this.settings = this.playback.settings; + this.dvrInUse = dvrInUse; + this.trigger(_events2.default.CONTAINER_PLAYBACKDVRSTATECHANGED, dvrInUse); + }; + + Container.prototype.updateBitrate = function updateBitrate(newBitrate) { + this.trigger(_events2.default.CONTAINER_BITRATE, newBitrate); + }; + + Container.prototype.statsReport = function statsReport(metrics) { + this.trigger(_events2.default.CONTAINER_STATS_REPORT, metrics); + }; + + Container.prototype.getPlaybackType = function getPlaybackType() { + return this.playback.getPlaybackType(); + }; + + /** + * returns `true` if DVR is enable otherwise `false`. + * @method isDvrEnabled + * @return {Boolean} + */ + + + Container.prototype.isDvrEnabled = function isDvrEnabled() { + return !!this.playback.dvrEnabled; + }; + + /** + * returns `true` if DVR is in use otherwise `false`. + * @method isDvrInUse + * @return {Boolean} + */ + + + Container.prototype.isDvrInUse = function isDvrInUse() { + return !!this.dvrInUse; + }; + + /** + * destroys the container + * @method destroy + */ + + + Container.prototype.destroy = function destroy() { + this.trigger(_events2.default.CONTAINER_DESTROYED, this, this.name); + this.stopListening(); + this.plugins.forEach(function (plugin) { + return plugin.destroy(); + }); + this.$el.remove(); + }; + + Container.prototype.setStyle = function setStyle(style) { + this.$el.css(style); + }; + + Container.prototype.animate = function animate(style, duration) { + return this.$el.animate(style, duration).promise(); + }; + + Container.prototype.ready = function ready() { + this.isReady = true; + this.trigger(_events2.default.CONTAINER_READY, this.name); + }; + + Container.prototype.isPlaying = function isPlaying() { + return this.playback.isPlaying(); + }; + + Container.prototype.getStartTimeOffset = function getStartTimeOffset() { + return this.playback.getStartTimeOffset(); + }; + + Container.prototype.getCurrentTime = function getCurrentTime() { + return this.currentTime; + }; + + Container.prototype.getDuration = function getDuration() { + return this.playback.getDuration(); + }; + + Container.prototype.error = function error(_error) { + if (!this.isReady) this.ready(); + + this.trigger(_events2.default.CONTAINER_ERROR, _error, this.name); + }; + + Container.prototype.loadedMetadata = function loadedMetadata(metadata) { + this.trigger(_events2.default.CONTAINER_LOADEDMETADATA, metadata); + }; + + Container.prototype.timeUpdated = function timeUpdated(timeProgress) { + this.currentTime = timeProgress.current; + this.trigger(_events2.default.CONTAINER_TIMEUPDATE, timeProgress, this.name); + }; + + Container.prototype.onProgress = function onProgress() { + for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) { + args[_key] = arguments[_key]; + } + + this.trigger.apply(this, [_events2.default.CONTAINER_PROGRESS].concat(args, [this.name])); + }; + + Container.prototype.playing = function playing() { + this.trigger(_events2.default.CONTAINER_PLAY, this.name); + }; + + Container.prototype.paused = function paused() { + this.trigger(_events2.default.CONTAINER_PAUSE, this.name); + }; + + /** + * plays the playback + * @method play + */ + + + Container.prototype.play = function play() { + this.playback.play(); + }; + + /** + * stops the playback + * @method stop + */ + + + Container.prototype.stop = function stop() { + this.playback.stop(); + this.currentTime = 0; + }; + + /** + * pauses the playback + * @method pause + */ + + + Container.prototype.pause = function pause() { + this.playback.pause(); + }; + + Container.prototype.onEnded = function onEnded() { + this.trigger(_events2.default.CONTAINER_ENDED, this, this.name); + this.currentTime = 0; + }; + + Container.prototype.stopped = function stopped() { + this.trigger(_events2.default.CONTAINER_STOP); + }; + + Container.prototype.clicked = function clicked() { + var _this2 = this; + + if (!this.options.chromeless || this.options.allowUserInteraction) { + // The event is delayed because it can be canceled by a double-click event + // An example of use is to prevent playback from pausing when switching to full screen + this.clickTimer = setTimeout(function () { + _this2.clickTimer && _this2.trigger(_events2.default.CONTAINER_CLICK, _this2, _this2.name); + }, this.clickDelay); + } + }; + + Container.prototype.cancelClicked = function cancelClicked() { + clearTimeout(this.clickTimer); + this.clickTimer = null; + }; + + Container.prototype.dblClicked = function dblClicked() { + if (!this.options.chromeless || this.options.allowUserInteraction) { + this.cancelClicked(); + this.trigger(_events2.default.CONTAINER_DBLCLICK, this, this.name); + } + }; + + Container.prototype.dblTap = function dblTap(evt) { + var _this3 = this; + + if (!this.options.chromeless || this.options.allowUserInteraction) { + this.dblTapHandler.handle(evt, function () { + _this3.cancelClicked(); + _this3.trigger(_events2.default.CONTAINER_DBLCLICK, _this3, _this3.name); + }); + } + }; + + Container.prototype.onContextMenu = function onContextMenu(event) { + if (!this.options.chromeless || this.options.allowUserInteraction) this.trigger(_events2.default.CONTAINER_CONTEXTMENU, event, this.name); + }; + + Container.prototype.seek = function seek(time) { + this.trigger(_events2.default.CONTAINER_SEEK, time, this.name); + this.playback.seek(time); + }; + + Container.prototype.onSeeked = function onSeeked() { + this.trigger(_events2.default.CONTAINER_SEEKED, this.name); + }; + + Container.prototype.seekPercentage = function seekPercentage(percentage) { + var duration = this.getDuration(); + if (percentage >= 0 && percentage <= 100) { + var time = duration * (percentage / 100); + this.seek(time); + } + }; + + Container.prototype.setVolume = function setVolume(value) { + this.volume = parseFloat(value); + this.trigger(_events2.default.CONTAINER_VOLUME, this.volume, this.name); + this.playback.volume(this.volume); + }; + + Container.prototype.fullscreen = function fullscreen() { + this.trigger(_events2.default.CONTAINER_FULLSCREEN, this.name); + }; + + Container.prototype.onBuffering = function onBuffering() { + this.trigger(_events2.default.CONTAINER_STATE_BUFFERING, this.name); + }; + + Container.prototype.bufferfull = function bufferfull() { + this.trigger(_events2.default.CONTAINER_STATE_BUFFERFULL, this.name); + }; + + /** + * adds plugin to the container + * @method addPlugin + * @param {Object} plugin + */ + + + Container.prototype.addPlugin = function addPlugin(plugin) { + this.plugins.push(plugin); + }; + + /** + * checks if a plugin, given its name, exist + * @method hasPlugin + * @param {String} name + * @return {Boolean} + */ + + + Container.prototype.hasPlugin = function hasPlugin(name) { + return !!this.getPlugin(name); + }; + + /** + * get the plugin given its name + * @method getPlugin + * @param {String} name + */ + + + Container.prototype.getPlugin = function getPlugin(name) { + return this.plugins.filter(function (plugin) { + return plugin.name === name; + })[0]; + }; + + Container.prototype.mouseEnter = function mouseEnter() { + if (!this.options.chromeless || this.options.allowUserInteraction) this.trigger(_events2.default.CONTAINER_MOUSE_ENTER); + }; + + Container.prototype.mouseLeave = function mouseLeave() { + if (!this.options.chromeless || this.options.allowUserInteraction) this.trigger(_events2.default.CONTAINER_MOUSE_LEAVE); + }; + + Container.prototype.settingsUpdate = function settingsUpdate() { + this.settings = this.playback.settings; + this.trigger(_events2.default.CONTAINER_SETTINGSUPDATE); + }; + + Container.prototype.highDefinitionUpdate = function highDefinitionUpdate(isHD) { + this.trigger(_events2.default.CONTAINER_HIGHDEFINITIONUPDATE, isHD); + }; + + Container.prototype.isHighDefinitionInUse = function isHighDefinitionInUse() { + return this.playback.isHighDefinitionInUse(); + }; + + Container.prototype.disableMediaControl = function disableMediaControl() { + if (!this.mediaControlDisabled) { + this.mediaControlDisabled = true; + this.trigger(_events2.default.CONTAINER_MEDIACONTROL_DISABLE); + } + }; + + Container.prototype.enableMediaControl = function enableMediaControl() { + if (this.mediaControlDisabled) { + this.mediaControlDisabled = false; + this.trigger(_events2.default.CONTAINER_MEDIACONTROL_ENABLE); + } + }; + + Container.prototype.updateStyle = function updateStyle() { + if (!this.options.chromeless || this.options.allowUserInteraction) this.$el.removeClass('chromeless');else this.$el.addClass('chromeless'); + }; + + /** + * enables to configure the container after its creation + * @method configure + * @param {Object} options all the options to change in form of a javascript object + */ + + + Container.prototype.configure = function configure(options) { + this._options = _clapprZepto2.default.extend(this._options, options); + this.updateStyle(); + this.playback.configure(this.options); + this.trigger(_events2.default.CONTAINER_OPTIONS_CHANGE); + }; + + Container.prototype.render = function render() { + this.$el.append(this.playback.render().el); + this.updateStyle(); + return this; + }; + + return Container; + }(_ui_object2.default); + + exports.default = Container; + + + (0, _assign2.default)(Container.prototype, _error_mixin2.default); + module.exports = exports['default']; + + /***/ }), + + /***/ "./src/components/container/index.js": + /*!*******************************************!*\ + !*** ./src/components/container/index.js ***! + \*******************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { + + "use strict"; + + + Object.defineProperty(exports, "__esModule", { + value: true + }); + + var _container = __webpack_require__(/*! ./container */ "./src/components/container/container.js"); + + var _container2 = _interopRequireDefault(_container); + + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + + exports.default = _container2.default; + module.exports = exports['default']; + + /***/ }), + + /***/ "./src/components/container/public/style.scss": + /*!****************************************************!*\ + !*** ./src/components/container/public/style.scss ***! + \****************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { + + + var content = __webpack_require__(/*! !../../../../node_modules/css-loader!../../../../node_modules/postcss-loader/lib!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/joaopaulo/Workstation/JS/clappr/src/base/scss!./style.scss */ "./node_modules/css-loader/index.js!./node_modules/postcss-loader/lib/index.js!./node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/joaopaulo/Workstation/JS/clappr/src/base/scss!./src/components/container/public/style.scss"); + + if(typeof content === 'string') content = [[module.i, content, '']]; + + var transform; + var insertInto; + + + + var options = {"singleton":true,"hmr":true} + + options.transform = transform + options.insertInto = undefined; + + var update = __webpack_require__(/*! ../../../../node_modules/style-loader/lib/addStyles.js */ "./node_modules/style-loader/lib/addStyles.js")(content, options); + + if(content.locals) module.exports = content.locals; + + if(false) {} + + /***/ }), + + /***/ "./src/components/container_factory/container_factory.js": + /*!***************************************************************!*\ + !*** ./src/components/container_factory/container_factory.js ***! + \***************************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { + + "use strict"; + + + Object.defineProperty(exports, "__esModule", { + value: true + }); + + var _typeof2 = __webpack_require__(/*! babel-runtime/helpers/typeof */ "./node_modules/babel-runtime/helpers/typeof.js"); + + var _typeof3 = _interopRequireDefault(_typeof2); + + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); + + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + + var _possibleConstructorReturn2 = __webpack_require__(/*! babel-runtime/helpers/possibleConstructorReturn */ "./node_modules/babel-runtime/helpers/possibleConstructorReturn.js"); + + var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); + + var _createClass2 = __webpack_require__(/*! babel-runtime/helpers/createClass */ "./node_modules/babel-runtime/helpers/createClass.js"); + + var _createClass3 = _interopRequireDefault(_createClass2); + + var _inherits2 = __webpack_require__(/*! babel-runtime/helpers/inherits */ "./node_modules/babel-runtime/helpers/inherits.js"); + + var _inherits3 = _interopRequireDefault(_inherits2); + + var _base_object = __webpack_require__(/*! ../../base/base_object */ "./src/base/base_object.js"); + + var _base_object2 = _interopRequireDefault(_base_object); + + var _events = __webpack_require__(/*! ../../base/events */ "./src/base/events.js"); + + var _events2 = _interopRequireDefault(_events); + + var _container = __webpack_require__(/*! ../../components/container */ "./src/components/container/index.js"); + + var _container2 = _interopRequireDefault(_container); + + var _clapprZepto = __webpack_require__(/*! clappr-zepto */ "./node_modules/clappr-zepto/zepto.js"); + + var _clapprZepto2 = _interopRequireDefault(_clapprZepto); + + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + +// Copyright 2014 Globo.com Player authors. All rights reserved. +// Use of this source code is governed by a BSD-style +// license that can be found in the LICENSE file. + + /** + * The ContainerFactory is responsible for manage playback bootstrap and create containers. + */ + + var ContainerFactory = function (_BaseObject) { + (0, _inherits3.default)(ContainerFactory, _BaseObject); + (0, _createClass3.default)(ContainerFactory, [{ + key: 'options', + get: function get() { + return this._options; + }, + set: function set(options) { + this._options = options; + } + }]); + + function ContainerFactory(options, loader, i18n, playerError) { + (0, _classCallCheck3.default)(this, ContainerFactory); + + var _this = (0, _possibleConstructorReturn3.default)(this, _BaseObject.call(this, options)); + + _this._i18n = i18n; + _this.loader = loader; + _this.playerError = playerError; + return _this; + } + + ContainerFactory.prototype.createContainers = function createContainers() { + var _this2 = this; + + return _clapprZepto2.default.Deferred(function (promise) { + promise.resolve(_this2.options.sources.map(function (source) { + return _this2.createContainer(source); + })); + }); + }; + + ContainerFactory.prototype.findPlaybackPlugin = function findPlaybackPlugin(source, mimeType) { + return this.loader.playbackPlugins.filter(function (p) { + return p.canPlay(source, mimeType); + })[0]; + }; + + ContainerFactory.prototype.createContainer = function createContainer(source) { + var resolvedSource = null, + mimeType = this.options.mimeType; + if ((typeof source === 'undefined' ? 'undefined' : (0, _typeof3.default)(source)) === 'object') { + resolvedSource = source.source.toString(); + if (source.mimeType) mimeType = source.mimeType; + } else { + resolvedSource = source.toString(); + } + + if (resolvedSource.match(/^\/\//)) resolvedSource = window.location.protocol + resolvedSource; + + var options = _clapprZepto2.default.extend({}, this.options, { + src: resolvedSource, + mimeType: mimeType + }); + var playbackPlugin = this.findPlaybackPlugin(resolvedSource, mimeType); + var playback = new playbackPlugin(options, this._i18n, this.playerError); + + options = _clapprZepto2.default.extend({}, options, { playback: playback }); + + var container = new _container2.default(options, this._i18n, this.playerError); + var defer = _clapprZepto2.default.Deferred(); + defer.promise(container); + this.addContainerPlugins(container); + this.listenToOnce(container, _events2.default.CONTAINER_READY, function () { + return defer.resolve(container); + }); + return container; + }; + + ContainerFactory.prototype.addContainerPlugins = function addContainerPlugins(container) { + this.loader.containerPlugins.forEach(function (Plugin) { + container.addPlugin(new Plugin(container)); + }); + }; + + return ContainerFactory; + }(_base_object2.default); + + exports.default = ContainerFactory; + module.exports = exports['default']; + + /***/ }), + + /***/ "./src/components/container_factory/index.js": + /*!***************************************************!*\ + !*** ./src/components/container_factory/index.js ***! + \***************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { + + "use strict"; + + + Object.defineProperty(exports, "__esModule", { + value: true + }); + + var _container_factory = __webpack_require__(/*! ./container_factory */ "./src/components/container_factory/container_factory.js"); + + var _container_factory2 = _interopRequireDefault(_container_factory); + + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + + exports.default = _container_factory2.default; + module.exports = exports['default']; + + /***/ }), + + /***/ "./src/components/core/core.js": + /*!*************************************!*\ + !*** ./src/components/core/core.js ***! + \*************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { + + "use strict"; + + + Object.defineProperty(exports, "__esModule", { + value: true + }); + + var _assign = __webpack_require__(/*! babel-runtime/core-js/object/assign */ "./node_modules/babel-runtime/core-js/object/assign.js"); + + var _assign2 = _interopRequireDefault(_assign); + + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); + + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + + var _possibleConstructorReturn2 = __webpack_require__(/*! babel-runtime/helpers/possibleConstructorReturn */ "./node_modules/babel-runtime/helpers/possibleConstructorReturn.js"); + + var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); + + var _createClass2 = __webpack_require__(/*! babel-runtime/helpers/createClass */ "./node_modules/babel-runtime/helpers/createClass.js"); + + var _createClass3 = _interopRequireDefault(_createClass2); + + var _inherits2 = __webpack_require__(/*! babel-runtime/helpers/inherits */ "./node_modules/babel-runtime/helpers/inherits.js"); + + var _inherits3 = _interopRequireDefault(_inherits2); + + var _utils = __webpack_require__(/*! ../../base/utils */ "./src/base/utils.js"); + + var _styler = __webpack_require__(/*! ../../base/styler */ "./src/base/styler.js"); + + var _styler2 = _interopRequireDefault(_styler); + + var _events = __webpack_require__(/*! ../../base/events */ "./src/base/events.js"); + + var _events2 = _interopRequireDefault(_events); + + var _ui_object = __webpack_require__(/*! ../../base/ui_object */ "./src/base/ui_object.js"); + + var _ui_object2 = _interopRequireDefault(_ui_object); + + var _ui_core_plugin = __webpack_require__(/*! ../../base/ui_core_plugin */ "./src/base/ui_core_plugin.js"); + + var _ui_core_plugin2 = _interopRequireDefault(_ui_core_plugin); + + var _browser = __webpack_require__(/*! ../../components/browser */ "./src/components/browser/index.js"); + + var _browser2 = _interopRequireDefault(_browser); + + var _container_factory = __webpack_require__(/*! ../../components/container_factory */ "./src/components/container_factory/index.js"); + + var _container_factory2 = _interopRequireDefault(_container_factory); + + var _mediator = __webpack_require__(/*! ../../components/mediator */ "./src/components/mediator.js"); + + var _mediator2 = _interopRequireDefault(_mediator); + + var _player_info = __webpack_require__(/*! ../../components/player_info */ "./src/components/player_info.js"); + + var _player_info2 = _interopRequireDefault(_player_info); + + var _error = __webpack_require__(/*! ../../components/error */ "./src/components/error/index.js"); + + var _error2 = _interopRequireDefault(_error); + + var _error_mixin = __webpack_require__(/*! ../../base/error_mixin */ "./src/base/error_mixin.js"); + + var _error_mixin2 = _interopRequireDefault(_error_mixin); + + var _clapprZepto = __webpack_require__(/*! clappr-zepto */ "./node_modules/clappr-zepto/zepto.js"); + + var _clapprZepto2 = _interopRequireDefault(_clapprZepto); + + __webpack_require__(/*! ./public/style.scss */ "./src/components/core/public/style.scss"); + + var _fonts = __webpack_require__(/*! ./public/fonts.css */ "./src/components/core/public/fonts.css"); + + var _fonts2 = _interopRequireDefault(_fonts); + + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + +// Copyright 2014 Globo.com Player authors. All rights reserved. +// Use of this source code is governed by a BSD-style +// license that can be found in the LICENSE file. + + var style = void 0; + + /** + * The Core is responsible to manage Containers, the mediator, MediaControl + * and the player state. + * @class Core + * @constructor + * @extends UIObject + * @module components + */ + + var Core = function (_UIObject) { + (0, _inherits3.default)(Core, _UIObject); + (0, _createClass3.default)(Core, [{ + key: 'events', + get: function get() { + return { + 'webkitfullscreenchange': 'handleFullscreenChange', + 'mousemove': 'onMouseMove', + 'mouseleave': 'onMouseLeave' + }; + } + }, { + key: 'attributes', + get: function get() { + return { + 'data-player': '', + tabindex: 9999 + }; + } + + /** + * checks if the core is ready. + * @property isReady + * @type {Boolean} `true` if the core is ready, otherwise `false` + */ + + }, { + key: 'isReady', + get: function get() { + return !!this.ready; + } + + /** + * The internationalization plugin. + * @property i18n + * @type {Strings} + */ + + }, { + key: 'i18n', + get: function get() { + return this.getPlugin('strings') || { t: function t(key) { + return key; + } }; + } + + /** + * @deprecated + * This property currently exists for retrocompatibility reasons. + * If you want to access the media control instance, use the method getPlugin('media_control'). + */ + + }, { + key: 'mediaControl', + get: function get() { + return this.getPlugin('media_control') || this.dummyMediaControl; + } + }, { + key: 'dummyMediaControl', + get: function get() { + if (this._dummyMediaControl) return this._dummyMediaControl; + this._dummyMediaControl = new _ui_core_plugin2.default(this); + return this._dummyMediaControl; + } + + /** + * gets the active container reference. + * @property activeContainer + * @type {Object} + */ + + }, { + key: 'activeContainer', + get: function get() { + return this._activeContainer; + } + + /** + * sets the active container reference and trigger a event with the new reference. + * @property activeContainer + * @type {Object} + */ + , + set: function set(container) { + this._activeContainer = container; + this.trigger(_events2.default.CORE_ACTIVE_CONTAINER_CHANGED, this._activeContainer); + } + + /** + * gets the active playback reference. + * @property activePlayback + * @type {Object} + */ + + }, { + key: 'activePlayback', + get: function get() { + return this.activeContainer && this.activeContainer.playback; + } + }]); + + function Core(options) { + (0, _classCallCheck3.default)(this, Core); + + var _this = (0, _possibleConstructorReturn3.default)(this, _UIObject.call(this, options)); + + _this.playerError = new _error2.default(options, _this); + _this.configureDomRecycler(); + _this.playerInfo = _player_info2.default.getInstance(options.playerId); + _this.firstResize = true; + _this.plugins = []; + _this.containers = []; + //FIXME fullscreen api sucks + _this._boundFullscreenHandler = function () { + return _this.handleFullscreenChange(); + }; + (0, _clapprZepto2.default)(document).bind('fullscreenchange', _this._boundFullscreenHandler); + (0, _clapprZepto2.default)(document).bind('MSFullscreenChange', _this._boundFullscreenHandler); + (0, _clapprZepto2.default)(document).bind('mozfullscreenchange', _this._boundFullscreenHandler); + _browser2.default.isMobile && (0, _clapprZepto2.default)(window).bind('resize', function (o) { + _this.handleWindowResize(o); + }); + return _this; + } + + Core.prototype.configureDomRecycler = function configureDomRecycler() { + var recycleVideo = this.options && this.options.playback && this.options.playback.recycleVideo; + _utils.DomRecycler.configure({ recycleVideo: recycleVideo }); + }; + + Core.prototype.createContainers = function createContainers(options) { + this.defer = _clapprZepto2.default.Deferred(); + this.defer.promise(this); + this.containerFactory = new _container_factory2.default(options, options.loader, this.i18n, this.playerError); + this.prepareContainers(); + }; + + Core.prototype.prepareContainers = function prepareContainers() { + var _this2 = this; + + this.containerFactory.createContainers().then(function (containers) { + return _this2.setupContainers(containers); + }).then(function (containers) { + return _this2.resolveOnContainersReady(containers); + }); + }; + + Core.prototype.updateSize = function updateSize() { + this.isFullscreen() ? this.setFullscreen() : this.setPlayerSize(); + }; + + Core.prototype.setFullscreen = function setFullscreen() { + if (!_browser2.default.isiOS) { + this.$el.addClass('fullscreen'); + this.$el.removeAttr('style'); + this.playerInfo.previousSize = { width: this.options.width, height: this.options.height }; + this.playerInfo.currentSize = { width: (0, _clapprZepto2.default)(window).width(), height: (0, _clapprZepto2.default)(window).height() }; + } + }; + + Core.prototype.setPlayerSize = function setPlayerSize() { + this.$el.removeClass('fullscreen'); + this.playerInfo.currentSize = this.playerInfo.previousSize; + this.playerInfo.previousSize = { width: (0, _clapprZepto2.default)(window).width(), height: (0, _clapprZepto2.default)(window).height() }; + this.resize(this.playerInfo.currentSize); + }; + + Core.prototype.resize = function resize(options) { + if (!(0, _utils.isNumber)(options.height) && !(0, _utils.isNumber)(options.width)) { + this.el.style.height = '' + options.height; + this.el.style.width = '' + options.width; + } else { + this.el.style.height = options.height + 'px'; + this.el.style.width = options.width + 'px'; + } + this.playerInfo.previousSize = { width: this.options.width, height: this.options.height }; + this.options.width = options.width; + this.options.height = options.height; + this.playerInfo.currentSize = options; + this.triggerResize(this.playerInfo.currentSize); + }; + + Core.prototype.enableResizeObserver = function enableResizeObserver() { + var _this3 = this; + + var checkSizeCallback = function checkSizeCallback() { + _this3.triggerResize({ width: _this3.el.clientWidth, height: _this3.el.clientHeight }); + }; + this.resizeObserverInterval = setInterval(checkSizeCallback, 500); + }; - StreamController.prototype.onBufferAppended = function onBufferAppended(data) { - if (data.parent === 'main') { - var state = this.state; - if (state === State.PARSING || state === State.PARSED) { - // check if all buffers have been appended - this.pendingBuffering = data.pending > 0; - this._checkAppendedParsed(); - } - } - }; + Core.prototype.triggerResize = function triggerResize(newSize) { + var thereWasChange = this.firstResize || this.oldHeight !== newSize.height || this.oldWidth !== newSize.width; + if (thereWasChange) { + this.oldHeight = newSize.height; + this.oldWidth = newSize.width; + this.playerInfo.computedSize = newSize; + this.firstResize = false; + _mediator2.default.trigger(this.options.playerId + ':' + _events2.default.PLAYER_RESIZE, newSize); + this.trigger(_events2.default.CORE_RESIZE, newSize); + } + }; - StreamController.prototype._checkAppendedParsed = function _checkAppendedParsed() { - // trigger handler right now - if (this.state === State.PARSED && (!this.appended || !this.pendingBuffering)) { - var frag = this.fragCurrent; - if (frag) { - var media = this.mediaBuffer ? this.mediaBuffer : this.media; - logger["b" /* logger */].log('main buffered : ' + time_ranges.toString(media.buffered)); - this.fragPrevious = frag; - var stats = this.stats; - stats.tbuffered = window.performance.now(); - // we should get rid of this.fragLastKbps - this.fragLastKbps = Math.round(8 * stats.total / (stats.tbuffered - stats.tfirst)); - this.hls.trigger(events["a" /* default */].FRAG_BUFFERED, { stats: stats, frag: frag, id: 'main' }); - this.state = State.IDLE; - } - this.tick(); - } - }; + Core.prototype.disableResizeObserver = function disableResizeObserver() { + this.resizeObserverInterval && clearInterval(this.resizeObserverInterval); + }; - StreamController.prototype.onError = function onError(data) { - var frag = data.frag || this.fragCurrent; - // don't handle frag error not related to main fragment - if (frag && frag.type !== 'main') { - return; - } + Core.prototype.resolveOnContainersReady = function resolveOnContainersReady(containers) { + var _this4 = this; - // 0.5 : tolerance needed as some browsers stalls playback before reaching buffered end - var mediaBuffered = !!this.media && BufferHelper.isBuffered(this.media, this.media.currentTime) && BufferHelper.isBuffered(this.media, this.media.currentTime + 0.5); - - switch (data.details) { - case errors["a" /* ErrorDetails */].FRAG_LOAD_ERROR: - case errors["a" /* ErrorDetails */].FRAG_LOAD_TIMEOUT: - case errors["a" /* ErrorDetails */].KEY_LOAD_ERROR: - case errors["a" /* ErrorDetails */].KEY_LOAD_TIMEOUT: - if (!data.fatal) { - // keep retrying until the limit will be reached - if (this.fragLoadError + 1 <= this.config.fragLoadingMaxRetry) { - // exponential backoff capped to config.fragLoadingMaxRetryTimeout - var delay = Math.min(Math.pow(2, this.fragLoadError) * this.config.fragLoadingRetryDelay, this.config.fragLoadingMaxRetryTimeout); - logger["b" /* logger */].warn('mediaController: frag loading failed, retry in ' + delay + ' ms'); - this.retryDate = window.performance.now() + delay; - // retry loading state - // 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.fragLoadError++; - this.state = State.FRAG_LOADING_WAITING_RETRY; - } else { - logger["b" /* logger */].error('mediaController: ' + data.details + ' reaches max retry, redispatch as fatal ...'); - // switch error to fatal - data.fatal = true; - this.state = State.ERROR; - } - } - break; - case errors["a" /* ErrorDetails */].LEVEL_LOAD_ERROR: - case errors["a" /* ErrorDetails */].LEVEL_LOAD_TIMEOUT: - if (this.state !== State.ERROR) { - if (data.fatal) { - // if fatal error, stop processing - this.state = State.ERROR; - logger["b" /* logger */].warn('streamController: ' + data.details + ',switch to ' + this.state + ' state ...'); - } 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 === State.WAITING_LEVEL) { - this.state = State.IDLE; - } - } - } - break; - case errors["a" /* ErrorDetails */].BUFFER_FULL_ERROR: - // if in appending state - if (data.parent === 'main' && (this.state === State.PARSING || this.state === State.PARSED)) { - // reduce max buf len if current position is buffered - if (mediaBuffered) { - this._reduceMaxBufferLength(this.config.maxBufferLength); - this.state = 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 - logger["b" /* logger */].warn('buffer full error also media.currentTime is not buffered, flush everything'); - this.fragCurrent = null; - // flush everything - this.flushMainBuffer(0, Number.POSITIVE_INFINITY); - } - } - break; - default: - break; - } - }; + _clapprZepto2.default.when.apply(_clapprZepto2.default, containers).done(function () { + _this4.defer.resolve(_this4); + _this4.ready = true; + _this4.trigger(_events2.default.CORE_READY); + }); + }; - StreamController.prototype._reduceMaxBufferLength = function _reduceMaxBufferLength(minLength) { - var config = this.config; - if (config.maxMaxBufferLength >= minLength) { - // reduce max buffer length as it might be too high. we do this to avoid loop flushing ... - config.maxMaxBufferLength /= 2; - logger["b" /* logger */].warn('main:reduce max buffer length to ' + config.maxMaxBufferLength + 's'); - return true; - } - return false; - }; + Core.prototype.addPlugin = function addPlugin(plugin) { + this.plugins.push(plugin); + }; - /** - * Checks the health of the buffer and attempts to resolve playback stalls. - * @private - */ + Core.prototype.hasPlugin = function hasPlugin(name) { + return !!this.getPlugin(name); + }; + Core.prototype.getPlugin = function getPlugin(name) { + return this.plugins.filter(function (plugin) { + return plugin.name === name; + })[0]; + }; - StreamController.prototype._checkBuffer = function _checkBuffer() { - var media = this.media; + Core.prototype.load = function load(sources, mimeType) { + this.options.mimeType = mimeType; + sources = sources && sources.constructor === Array ? sources : [sources]; + this.options.sources = sources; + this.containers.forEach(function (container) { + return container.destroy(); + }); + this.containerFactory.options = _clapprZepto2.default.extend(this.options, { sources: sources }); + this.prepareContainers(); + }; - if (!media || media.readyState === 0) { - // Exit early if we don't have media or if the media hasn't bufferd anything yet (readyState 0) - return; - } + Core.prototype.destroy = function destroy() { + this.disableResizeObserver(); + this.containers.forEach(function (container) { + return container.destroy(); + }); + this.plugins.forEach(function (plugin) { + return plugin.destroy(); + }); + this.$el.remove(); + (0, _clapprZepto2.default)(document).unbind('fullscreenchange', this._boundFullscreenHandler); + (0, _clapprZepto2.default)(document).unbind('MSFullscreenChange', this._boundFullscreenHandler); + (0, _clapprZepto2.default)(document).unbind('mozfullscreenchange', this._boundFullscreenHandler); + this.stopListening(); + }; - var mediaBuffer = this.mediaBuffer ? this.mediaBuffer : media; - var buffered = mediaBuffer.buffered; + Core.prototype.handleFullscreenChange = function handleFullscreenChange() { + this.trigger(_events2.default.CORE_FULLSCREEN, this.isFullscreen()); + this.updateSize(); + }; - if (!this.loadedmetadata && buffered.length) { - this.loadedmetadata = true; - this._seekToStartPos(); - } else if (this.immediateSwitch) { - this.immediateLevelSwitchEnd(); - } else { - this.gapController.poll(this.lastCurrentTime, buffered); - } - }; + Core.prototype.handleWindowResize = function handleWindowResize(event) { + var orientation = window.innerWidth > window.innerHeight ? 'landscape' : 'portrait'; + if (this._screenOrientation === orientation) return; + this._screenOrientation = orientation; + this.triggerResize({ width: this.el.clientWidth, height: this.el.clientHeight }); + this.trigger(_events2.default.CORE_SCREEN_ORIENTATION_CHANGED, { + event: event, + orientation: this._screenOrientation + }); + }; - StreamController.prototype.onFragLoadEmergencyAborted = function onFragLoadEmergencyAborted() { - this.state = 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(); - }; + Core.prototype.removeContainer = function removeContainer(container) { + this.stopListening(container); + this.containers = this.containers.filter(function (c) { + return c !== container; + }); + }; - StreamController.prototype.onBufferFlushed = function onBufferFlushed() { - /* 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 media = this.mediaBuffer ? this.mediaBuffer : this.media; - if (media) { - // filter fragments potentially evicted from buffer. this is to avoid memleak on live streams - this.fragmentTracker.detectEvictedFragments(loader_fragment.ElementaryStreamTypes.VIDEO, media.buffered); - } - // move to IDLE once flush complete. this should trigger new fragment loading - this.state = State.IDLE; - // reset reference to frag - this.fragPrevious = null; - }; + Core.prototype.setupContainer = function setupContainer(container) { + this.listenTo(container, _events2.default.CONTAINER_DESTROYED, this.removeContainer); + this.containers.push(container); + }; - StreamController.prototype.swapAudioCodec = function swapAudioCodec() { - this.audioCodecSwap = !this.audioCodecSwap; - }; + Core.prototype.setupContainers = function setupContainers(containers) { + containers.forEach(this.setupContainer.bind(this)); + this.trigger(_events2.default.CORE_CONTAINERS_CREATED); + this.renderContainers(); + this.activeContainer = containers[0]; + this.render(); + this.appendToParent(); + return this.containers; + }; - StreamController.prototype.computeLivePosition = function computeLivePosition(sliding, levelDetails) { - var targetLatency = this.config.liveSyncDuration !== undefined ? this.config.liveSyncDuration : this.config.liveSyncDurationCount * levelDetails.targetduration; - return sliding + Math.max(0, levelDetails.totalduration - targetLatency); - }; + Core.prototype.renderContainers = function renderContainers() { + var _this5 = this; - /** - * Seeks to the set startPosition if not equal to the mediaElement's current time. - * @private - */ + this.containers.forEach(function (container) { + return _this5.el.appendChild(container.render().el); + }); + }; + Core.prototype.createContainer = function createContainer(source, options) { + var container = this.containerFactory.createContainer(source, options); + this.setupContainer(container); + this.el.appendChild(container.render().el); + return container; + }; - StreamController.prototype._seekToStartPos = function _seekToStartPos() { - var media = this.media; + /** + * @deprecated + * This method currently exists for retrocompatibility reasons. + * If you want the current container reference, use the activeContainer getter. + */ - var currentTime = media.currentTime; - // 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 - var startPosition = media.seeking ? currentTime : this.startPosition; - // if currentTime not matching with expected startPosition or startPosition not buffered but close to first buffered - if (currentTime !== startPosition) { - // if startPosition not buffered, let's seek to buffered.start(0) - logger["b" /* logger */].log('target start position not buffered, seek to buffered.start(0) ' + startPosition + ' from current time ' + currentTime + ' '); - media.currentTime = startPosition; - } - }; - StreamController.prototype._getAudioCodec = function _getAudioCodec(currentLevel) { - var audioCodec = this.config.defaultAudioCodec || currentLevel.audioCodec; - if (this.audioCodecSwap) { - logger["b" /* logger */].log('swapping playlist audio codec'); - if (audioCodec) { - if (audioCodec.indexOf('mp4a.40.5') !== -1) { - audioCodec = 'mp4a.40.2'; - } else { - audioCodec = 'mp4a.40.5'; - } - } - } + Core.prototype.getCurrentContainer = function getCurrentContainer() { + return this.activeContainer; + }; - return audioCodec; - }; + /** + * @deprecated + * This method currently exists for retrocompatibility reasons. + * If you want the current playback reference, use the activePlayback getter. + */ - stream_controller__createClass(StreamController, [{ - key: 'state', - set: function set(nextState) { - if (this.state !== nextState) { - var previousState = this.state; - this._state = nextState; - logger["b" /* logger */].log('main stream:' + previousState + '->' + nextState); - this.hls.trigger(events["a" /* default */].STREAM_STATE_TRANSITION, { previousState: previousState, nextState: nextState }); - } - }, - get: function get() { - return this._state; - } - }, { - key: 'currentLevel', - get: function get() { - var media = this.media; - if (media) { - var frag = this.getBufferedFrag(media.currentTime); - if (frag) { - return frag.level; - } - } - return -1; - } - }, { - key: 'nextBufferedFrag', - get: function get() { - var media = this.media; - if (media) { - // first get end range of current fragment - return this.followingBufferedFrag(this.getBufferedFrag(media.currentTime)); - } else { - return null; - } - } - }, { - key: 'nextLevel', - get: function get() { - var frag = this.nextBufferedFrag; - if (frag) { - return frag.level; - } else { - return -1; - } - } - }, { - key: 'liveSyncPosition', - get: function get() { - return this._liveSyncPosition; - }, - set: function set(value) { - this._liveSyncPosition = value; - } - }]); - return StreamController; - }(task_loop); + Core.prototype.getCurrentPlayback = function getCurrentPlayback() { + return this.activePlayback; + }; - /* harmony default export */ var stream_controller = (stream_controller_StreamController); -// CONCATENATED MODULE: ./src/controller/level-controller.js - var level_controller__typeof = typeof Symbol === "function" && typeof Symbol.iterator === "symbol" ? function (obj) { return typeof obj; } : function (obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; + Core.prototype.getPlaybackType = function getPlaybackType() { + return this.activeContainer && this.activeContainer.getPlaybackType(); + }; - var level_controller__createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); + Core.prototype.isFullscreen = function isFullscreen() { + // Ensure current instance is in fullscreen mode by checking fullscreen element + var el = _browser2.default.isiOS ? this.activeContainer && this.activeContainer.el || this.el : this.el; + return _utils.Fullscreen.fullscreenElement() === el; + }; - function level_controller__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + Core.prototype.toggleFullscreen = function toggleFullscreen() { + if (this.isFullscreen()) { + _utils.Fullscreen.cancelFullscreen(); + !_browser2.default.isiOS && this.$el.removeClass('fullscreen nocursor'); + } else { + _utils.Fullscreen.requestFullscreen(_browser2.default.isiOS ? this.activeContainer.el : this.el); + !_browser2.default.isiOS && this.$el.addClass('fullscreen'); + } + }; - function level_controller__possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call && (typeof call === "object" || typeof call === "function") ? call : self; } + Core.prototype.onMouseMove = function onMouseMove(event) { + this.trigger(_events2.default.CORE_MOUSE_MOVE, event); + }; - function level_controller__inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; } + Core.prototype.onMouseLeave = function onMouseLeave(event) { + this.trigger(_events2.default.CORE_MOUSE_LEAVE, event); + }; - /* - * Level Controller -*/ + /** + * enables to configure the container after its creation + * @method configure + * @param {Object} options all the options to change in form of a javascript object + */ + + + Core.prototype.configure = function configure(options) { + var _this6 = this; + this._options = _clapprZepto2.default.extend(this._options, options); + this.configureDomRecycler(); + var sources = options.source || options.sources; + sources && this.load(sources, options.mimeType || this.options.mimeType); + this.trigger(_events2.default.CORE_OPTIONS_CHANGE, options); // Trigger with newly provided options + this.containers.forEach(function (container) { + return container.configure(_this6.options); + }); + }; + Core.prototype.appendToParent = function appendToParent() { + var hasCoreParent = this.$el.parent() && this.$el.parent().length; + !hasCoreParent && this.$el.appendTo(this.options.parentElement); + }; + Core.prototype.render = function render() { + if (!style) style = _styler2.default.getStyleFor(_fonts2.default, { baseUrl: this.options.baseUrl }); + (0, _clapprZepto2.default)('head').append(style); + this.options.width = this.options.width || this.$el.width(); + this.options.height = this.options.height || this.$el.height(); + var size = { width: this.options.width, height: this.options.height }; + this.playerInfo.previousSize = this.playerInfo.currentSize = this.playerInfo.computedSize = size; + this.updateSize(); - var level_controller__window = window, - level_controller_performance = level_controller__window.performance; + this.previousSize = { width: this.$el.width(), height: this.$el.height() }; - var level_controller_LevelController = function (_EventHandler) { - level_controller__inherits(LevelController, _EventHandler); + this.enableResizeObserver(); - function LevelController(hls) { - level_controller__classCallCheck(this, LevelController); + return this; + }; - var _this = level_controller__possibleConstructorReturn(this, _EventHandler.call(this, hls, events["a" /* default */].MANIFEST_LOADED, events["a" /* default */].LEVEL_LOADED, events["a" /* default */].AUDIO_TRACK_SWITCHED, events["a" /* default */].FRAG_LOADED, events["a" /* default */].ERROR)); + return Core; + }(_ui_object2.default); - _this.canload = false; - _this.currentLevelIndex = null; - _this.manualLevelIndex = -1; - _this.timer = null; - return _this; - } + exports.default = Core; - LevelController.prototype.onHandlerDestroying = function onHandlerDestroying() { - this.clearTimer(); - this.manualLevelIndex = -1; - }; - LevelController.prototype.clearTimer = function clearTimer() { - if (this.timer !== null) { - clearTimeout(this.timer); - this.timer = null; - } - }; + (0, _assign2.default)(Core.prototype, _error_mixin2.default); + module.exports = exports['default']; - LevelController.prototype.startLoad = function startLoad() { - var levels = this._levels; + /***/ }), - this.canload = true; - this.levelRetryCount = 0; + /***/ "./src/components/core/index.js": + /*!**************************************!*\ + !*** ./src/components/core/index.js ***! + \**************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - // clean up live level details to force reload them, and reset load errors - if (levels) { - levels.forEach(function (level) { - level.loadError = 0; - var levelDetails = level.details; - if (levelDetails && levelDetails.live) { - level.details = undefined; - } - }); - } - // speed up live playlist refresh if timer exists - if (this.timer !== null) { - this.loadLevel(); - } - }; + "use strict"; - LevelController.prototype.stopLoad = function stopLoad() { - this.canload = false; - }; - LevelController.prototype.onManifestLoaded = function onManifestLoaded(data) { - var levels = []; - var bitrateStart = void 0; - var levelSet = {}; - var levelFromSet = null; - var videoCodecFound = false; - var audioCodecFound = false; - var chromeOrFirefox = /chrome|firefox/.test(navigator.userAgent.toLowerCase()); - var audioTracks = []; - - // regroup redundant levels together - data.levels.forEach(function (level) { - level.loadError = 0; - level.fragmentError = false; - - videoCodecFound = videoCodecFound || !!level.videoCodec; - audioCodecFound = audioCodecFound || !!level.audioCodec || !!(level.attrs && level.attrs.AUDIO); - - // erase audio codec info if browser does not support mp4a.40.34. - // demuxer will autodetect codec and fallback to mpeg/audio - if (chromeOrFirefox && level.audioCodec && level.audioCodec.indexOf('mp4a.40.34') !== -1) { - level.audioCodec = undefined; - } + Object.defineProperty(exports, "__esModule", { + value: true + }); - levelFromSet = levelSet[level.bitrate]; // FIXME: we would also have to match the resolution here + var _core = __webpack_require__(/*! ./core */ "./src/components/core/core.js"); - if (!levelFromSet) { - level.url = [level.url]; - level.urlId = 0; - levelSet[level.bitrate] = level; - levels.push(level); - } else { - levelFromSet.url.push(level.url); - } + var _core2 = _interopRequireDefault(_core); - if (level.attrs && level.attrs.AUDIO) { - addGroupId(levelFromSet || level, 'audio', level.attrs.AUDIO); - } + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - if (level.attrs && level.attrs.SUBTITLES) { - addGroupId(levelFromSet || level, 'text', level.attrs.SUBTITLES); - } - }); + exports.default = _core2.default; + module.exports = exports['default']; - // remove audio-only level if we also have levels with audio+video codecs signalled - if (videoCodecFound && audioCodecFound) { - levels = levels.filter(function (_ref) { - var videoCodec = _ref.videoCodec; - return !!videoCodec; - }); - } + /***/ }), - // only keep levels with supported audio/video codecs - levels = levels.filter(function (_ref2) { - var audioCodec = _ref2.audioCodec, - videoCodec = _ref2.videoCodec; + /***/ "./src/components/core/public/Roboto.ttf": + /*!***********************************************!*\ + !*** ./src/components/core/public/Roboto.ttf ***! + \***********************************************/ + /*! no static exports found */ + /***/ (function(module, exports) { - return (!audioCodec || isCodecSupportedInMp4(audioCodec)) && (!videoCodec || isCodecSupportedInMp4(videoCodec)); - }); + module.exports = "<%=baseUrl%>/38861cba61c66739c1452c3a71e39852.ttf"; - if (data.audioTracks) { - audioTracks = data.audioTracks.filter(function (track) { - return !track.audioCodec || isCodecSupportedInMp4(track.audioCodec, 'audio'); - }); - // Reassign id's after filtering since they're used as array indices - audioTracks.forEach(function (track, index) { - track.id = index; - }); - } + /***/ }), - 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; - logger["b" /* logger */].log('manifest loaded,' + levels.length + ' level(s) found, first bitrate:' + bitrateStart); - break; - } - } - this.hls.trigger(events["a" /* default */].MANIFEST_PARSED, { - levels: levels, - audioTracks: audioTracks, - firstLevel: this._firstLevel, - stats: data.stats, - audio: audioCodecFound, - video: videoCodecFound, - altAudio: audioTracks.length > 0 && videoCodecFound - }); - } else { - this.hls.trigger(events["a" /* default */].ERROR, { - type: errors["b" /* ErrorTypes */].MEDIA_ERROR, - details: errors["a" /* ErrorDetails */].MANIFEST_INCOMPATIBLE_CODECS_ERROR, - fatal: true, - url: this.hls.url, - reason: 'no level with compatible codecs found in manifest' - }); - } - }; + /***/ "./src/components/core/public/fonts.css": + /*!**********************************************!*\ + !*** ./src/components/core/public/fonts.css ***! + \**********************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - LevelController.prototype.setLevelInternal = function setLevelInternal(newLevel) { - var levels = this._levels; - var hls = this.hls; - // check if level idx is valid - if (newLevel >= 0 && newLevel < levels.length) { - // stopping live reloading timer if any - this.clearTimer(); - if (this.currentLevelIndex !== newLevel) { - logger["b" /* logger */].log('switching to level ' + newLevel); - this.currentLevelIndex = newLevel; - var levelProperties = levels[newLevel]; - levelProperties.level = newLevel; - hls.trigger(events["a" /* default */].LEVEL_SWITCHING, levelProperties); - } - var level = levels[newLevel]; - var levelDetails = level.details; - - // check if we need to load playlist for this level - if (!levelDetails || levelDetails.live) { - // level not retrieved yet, or live playlist we need to (re)load it - var urlId = level.urlId; - hls.trigger(events["a" /* default */].LEVEL_LOADING, { url: level.url[urlId], level: newLevel, id: urlId }); - } - } else { - // invalid level id given, trigger error - hls.trigger(events["a" /* default */].ERROR, { - type: errors["b" /* ErrorTypes */].OTHER_ERROR, - details: errors["a" /* ErrorDetails */].LEVEL_SWITCH_ERROR, - level: newLevel, - fatal: false, - reason: 'invalid level idx' - }); - } - }; + var escape = __webpack_require__(/*! ../../../../node_modules/css-loader/lib/url/escape.js */ "./node_modules/css-loader/lib/url/escape.js"); + exports = module.exports = __webpack_require__(/*! ../../../../node_modules/css-loader/lib/css-base.js */ "./node_modules/css-loader/lib/css-base.js")(false); +// imports - LevelController.prototype.onError = function onError(data) { - if (data.fatal) { - if (data.type === errors["b" /* ErrorTypes */].NETWORK_ERROR) { - this.clearTimer(); - } - return; - } +// module + exports.push([module.i, "@font-face {\n font-family: \"Roboto\";\n font-style: normal;\n font-weight: 400;\n src: local(\"Roboto\"), local(\"Roboto-Regular\"), url(" + escape(__webpack_require__(/*! ./Roboto.ttf */ "./src/components/core/public/Roboto.ttf")) + ") format(\"truetype\");\n}\n", ""]); - var levelError = false, - fragmentError = false; - var levelIndex = void 0; - - // try to recover not fatal errors - switch (data.details) { - case errors["a" /* ErrorDetails */].FRAG_LOAD_ERROR: - case errors["a" /* ErrorDetails */].FRAG_LOAD_TIMEOUT: - case errors["a" /* ErrorDetails */].KEY_LOAD_ERROR: - case errors["a" /* ErrorDetails */].KEY_LOAD_TIMEOUT: - levelIndex = data.frag.level; - fragmentError = true; - break; - case errors["a" /* ErrorDetails */].LEVEL_LOAD_ERROR: - case errors["a" /* ErrorDetails */].LEVEL_LOAD_TIMEOUT: - levelIndex = data.context.level; - levelError = true; - break; - case errors["a" /* ErrorDetails */].REMUX_ALLOC_ERROR: - levelIndex = data.level; - levelError = true; - break; - } +// exports - if (levelIndex !== undefined) { - this.recoverLevel(data, levelIndex, levelError, fragmentError); - } - }; - /** - * Switch to a redundant stream if any available. - * If redundant stream is not available, emergency switch down if ABR mode is enabled. - * - * @param {Object} errorEvent - * @param {Number} levelIndex current level index - * @param {Boolean} levelError - * @param {Boolean} fragmentError - */ - // FIXME Find a better abstraction where fragment/level retry management is well decoupled - - - LevelController.prototype.recoverLevel = function recoverLevel(errorEvent, levelIndex, levelError, fragmentError) { - var _this2 = this; - - var config = this.hls.config; - var errorDetails = errorEvent.details; - - var level = this._levels[levelIndex]; - var redundantLevels = void 0, - delay = void 0, - nextLevel = void 0; - - level.loadError++; - level.fragmentError = fragmentError; - - if (levelError) { - if (this.levelRetryCount + 1 <= config.levelLoadingMaxRetry) { - // exponential backoff capped to max retry timeout - delay = Math.min(Math.pow(2, this.levelRetryCount) * config.levelLoadingRetryDelay, config.levelLoadingMaxRetryTimeout); - // Schedule level reload - this.timer = setTimeout(function () { - return _this2.loadLevel(); - }, delay); - // boolean used to inform stream controller not to switch back to IDLE on non fatal error - errorEvent.levelRetry = true; - this.levelRetryCount++; - logger["b" /* logger */].warn('level controller, ' + errorDetails + ', retry in ' + delay + ' ms, current retry count is ' + this.levelRetryCount); - } else { - logger["b" /* logger */].error('level controller, cannot recover from ' + errorDetails + ' error'); - this.currentLevelIndex = null; - // stopping live reloading timer if any - this.clearTimer(); - // switch error to fatal - errorEvent.fatal = true; - return; - } - } + /***/ }), - // Try any redundant streams if available for both errors: level and fragment - // If level.loadError reaches redundantLevels it means that we tried them all, no hope => let's switch down - if (levelError || fragmentError) { - redundantLevels = level.url.length; + /***/ "./src/components/core/public/style.scss": + /*!***********************************************!*\ + !*** ./src/components/core/public/style.scss ***! + \***********************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - if (redundantLevels > 1 && level.loadError < redundantLevels) { - level.urlId = (level.urlId + 1) % redundantLevels; - level.details = undefined; - logger["b" /* logger */].warn('level controller, ' + errorDetails + ' for level ' + levelIndex + ': switching to redundant URL-id ' + level.urlId); + var content = __webpack_require__(/*! !../../../../node_modules/css-loader!../../../../node_modules/postcss-loader/lib!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/joaopaulo/Workstation/JS/clappr/src/base/scss!./style.scss */ "./node_modules/css-loader/index.js!./node_modules/postcss-loader/lib/index.js!./node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/joaopaulo/Workstation/JS/clappr/src/base/scss!./src/components/core/public/style.scss"); - // console.log('Current audio track group ID:', this.hls.audioTracks[this.hls.audioTrack].groupId); - // console.log('New video quality level audio group id:', level.attrs.AUDIO); - } else { - // Search for available level - if (this.manualLevelIndex === -1) { - // When lowest level has been reached, let's start hunt from the top - nextLevel = levelIndex === 0 ? this._levels.length - 1 : levelIndex - 1; - logger["b" /* logger */].warn('level controller, ' + errorDetails + ': switch to ' + nextLevel); - this.hls.nextAutoLevel = this.currentLevelIndex = nextLevel; - } else if (fragmentError) { - // Allow fragment retry as long as configuration allows. - // reset this._level so that another call to set level() will trigger again a frag load - logger["b" /* logger */].warn('level controller, ' + errorDetails + ': reload a fragment'); - this.currentLevelIndex = null; - } - } - } - }; + if(typeof content === 'string') content = [[module.i, content, '']]; - // reset errors on the successful load of a fragment + var transform; + var insertInto; - LevelController.prototype.onFragLoaded = function onFragLoaded(_ref3) { - var frag = _ref3.frag; - if (frag !== undefined && frag.type === 'main') { - var level = this._levels[frag.level]; - if (level !== undefined) { - level.fragmentError = false; - level.loadError = 0; - this.levelRetryCount = 0; - } - } - }; + var options = {"singleton":true,"hmr":true} - LevelController.prototype.onLevelLoaded = function onLevelLoaded(data) { - var _this3 = this; + options.transform = transform + options.insertInto = undefined; - var levelId = data.level; - // only process level loaded events matching with expected level - if (levelId !== this.currentLevelIndex) { - return; - } + var update = __webpack_require__(/*! ../../../../node_modules/style-loader/lib/addStyles.js */ "./node_modules/style-loader/lib/addStyles.js")(content, options); - var curLevel = this._levels[levelId]; - // reset level load error counter on successful level loaded only if there is no issues with fragments - if (!curLevel.fragmentError) { - curLevel.loadError = 0; - this.levelRetryCount = 0; - } - var newDetails = data.details; - // if current playlist is a live playlist, arm a timer to reload it - if (newDetails.live) { - var targetdurationMs = 1000 * (newDetails.averagetargetduration ? newDetails.averagetargetduration : newDetails.targetduration); - var reloadInterval = targetdurationMs, - curDetails = curLevel.details; - if (curDetails && newDetails.endSN === curDetails.endSN) { - // 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. - reloadInterval /= 2; - logger["b" /* logger */].log('same live playlist, reload twice faster'); - } - // decrement reloadInterval with level loading delay - reloadInterval -= level_controller_performance.now() - data.stats.trequest; - // in any case, don't reload more than half of target duration - reloadInterval = Math.max(targetdurationMs / 2, Math.round(reloadInterval)); - logger["b" /* logger */].log('live playlist, reload in ' + Math.round(reloadInterval) + ' ms'); - this.timer = setTimeout(function () { - return _this3.loadLevel(); - }, reloadInterval); - } else { - this.clearTimer(); - } - }; + if(content.locals) module.exports = content.locals; - LevelController.prototype.onAudioTrackSwitched = function onAudioTrackSwitched(data) { - var audioGroupId = this.hls.audioTracks[data.id].groupId; + if(false) {} - var currentLevel = this.hls.levels[this.currentLevelIndex]; - if (!currentLevel) { - return; - } + /***/ }), - if (currentLevel.audioGroupIds) { - var urlId = currentLevel.audioGroupIds.findIndex(function (groupId) { - return groupId === audioGroupId; - }); - if (urlId !== currentLevel.urlId) { - currentLevel.urlId = urlId; - this.startLoad(); - } - } - }; + /***/ "./src/components/core_factory/core_factory.js": + /*!*****************************************************!*\ + !*** ./src/components/core_factory/core_factory.js ***! + \*****************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - LevelController.prototype.loadLevel = function loadLevel() { - logger["b" /* logger */].debug('call to loadLevel'); + "use strict"; - if (this.currentLevelIndex !== null && this.canload) { - var levelObject = this._levels[this.currentLevelIndex]; - if ((typeof levelObject === 'undefined' ? 'undefined' : level_controller__typeof(levelObject)) === 'object' && levelObject.url.length > 0) { - var level = this.currentLevelIndex; - var id = levelObject.urlId; - var url = levelObject.url[id]; + Object.defineProperty(exports, "__esModule", { + value: true + }); - logger["b" /* logger */].log('Attempt loading level index ' + level + ' with URL-id ' + id); + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); - // 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); + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); - this.hls.trigger(events["a" /* default */].LEVEL_LOADING, { url: url, level: level, id: id }); - } - } - }; + var _possibleConstructorReturn2 = __webpack_require__(/*! babel-runtime/helpers/possibleConstructorReturn */ "./node_modules/babel-runtime/helpers/possibleConstructorReturn.js"); - level_controller__createClass(LevelController, [{ - key: 'levels', - get: function get() { - return this._levels; - } - }, { - key: 'level', - get: function get() { - return this.currentLevelIndex; - }, - set: function set(newLevel) { - var levels = this._levels; - if (levels) { - newLevel = Math.min(newLevel, levels.length - 1); - if (this.currentLevelIndex !== newLevel || !levels[newLevel].details) { - this.setLevelInternal(newLevel); - } - } - } - }, { - key: 'manualLevel', - get: function get() { - return this.manualLevelIndex; - }, - set: function set(newLevel) { - this.manualLevelIndex = newLevel; - if (this._startLevel === undefined) { - this._startLevel = newLevel; - } + var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); - 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; - } - } - }]); + var _createClass2 = __webpack_require__(/*! babel-runtime/helpers/createClass */ "./node_modules/babel-runtime/helpers/createClass.js"); - return LevelController; - }(event_handler); + var _createClass3 = _interopRequireDefault(_createClass2); - /* harmony default export */ var level_controller = (level_controller_LevelController); -// EXTERNAL MODULE: ./src/demux/id3.js - var id3 = __webpack_require__(6); + var _inherits2 = __webpack_require__(/*! babel-runtime/helpers/inherits */ "./node_modules/babel-runtime/helpers/inherits.js"); -// CONCATENATED MODULE: ./src/utils/texttrack-utils.js + var _inherits3 = _interopRequireDefault(_inherits2); - function sendAddTrackEvent(track, videoEl) { - var event = null; - try { - event = new window.Event('addtrack'); - } catch (err) { - // for IE11 - event = document.createEvent('Event'); - event.initEvent('addtrack', false, false); - } - event.track = track; - videoEl.dispatchEvent(event); - } + var _base_object = __webpack_require__(/*! ../../base/base_object */ "./src/base/base_object.js"); - function clearCurrentCues(track) { - if (track && track.cues) { - while (track.cues.length > 0) { - track.removeCue(track.cues[0]); - } - } - } -// CONCATENATED MODULE: ./src/controller/id3-track-controller.js - function id3_track_controller__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + var _base_object2 = _interopRequireDefault(_base_object); - function id3_track_controller__possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call && (typeof call === "object" || typeof call === "function") ? call : self; } + var _core = __webpack_require__(/*! ../core */ "./src/components/core/index.js"); - function id3_track_controller__inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; } + var _core2 = _interopRequireDefault(_core); - /* - * id3 metadata track controller -*/ + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + /** + * The Core Factory is responsible for instantiate the core and it's plugins. + * @class CoreFactory + * @constructor + * @extends BaseObject + * @module components + */ +// Copyright 2014 Globo.com Player authors. All rights reserved. +// Use of this source code is governed by a BSD-style +// license that can be found in the LICENSE file. + var CoreFactory = function (_BaseObject) { + (0, _inherits3.default)(CoreFactory, _BaseObject); + (0, _createClass3.default)(CoreFactory, [{ + key: 'loader', + get: function get() { + return this.player.loader; + } + /** + * it builds the core factory + * @method constructor + * @param {Player} player the player object + */ + }]); + function CoreFactory(player) { + (0, _classCallCheck3.default)(this, CoreFactory); - var id3_track_controller_ID3TrackController = function (_EventHandler) { - id3_track_controller__inherits(ID3TrackController, _EventHandler); + var _this = (0, _possibleConstructorReturn3.default)(this, _BaseObject.call(this)); - function ID3TrackController(hls) { - id3_track_controller__classCallCheck(this, ID3TrackController); + _this.player = player; + _this._options = player.options; + return _this; + } - var _this = id3_track_controller__possibleConstructorReturn(this, _EventHandler.call(this, hls, events["a" /* default */].MEDIA_ATTACHED, events["a" /* default */].MEDIA_DETACHING, events["a" /* default */].FRAG_PARSING_METADATA)); + /** + * creates a core and its plugins + * @method create + * @return {Core} created core + */ - _this.id3Track = undefined; - _this.media = undefined; - return _this; - } - ID3TrackController.prototype.destroy = function destroy() { - event_handler.prototype.destroy.call(this); - }; + CoreFactory.prototype.create = function create() { + this.options.loader = this.loader; + this.core = new _core2.default(this.options); + this.addCorePlugins(); + this.core.createContainers(this.options); + return this.core; + }; - // Add ID3 metatadata text track. + /** + * given the core plugins (`loader.corePlugins`) it builds each one + * @method addCorePlugins + * @return {Core} the core with all plugins + */ - ID3TrackController.prototype.onMediaAttached = function onMediaAttached(data) { - this.media = data.media; - if (!this.media) {} - }; + CoreFactory.prototype.addCorePlugins = function addCorePlugins() { + var _this2 = this; - ID3TrackController.prototype.onMediaDetaching = function onMediaDetaching() { - clearCurrentCues(this.id3Track); - this.id3Track = undefined; - this.media = undefined; - }; + this.loader.corePlugins.forEach(function (Plugin) { + var plugin = new Plugin(_this2.core); + _this2.core.addPlugin(plugin); + _this2.setupExternalInterface(plugin); + }); + return this.core; + }; - ID3TrackController.prototype.getID3Track = function getID3Track(textTracks) { - 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 - sendAddTrackEvent(textTrack, this.media); + CoreFactory.prototype.setupExternalInterface = function setupExternalInterface(plugin) { + var externalFunctions = plugin.getExternalInterface(); + for (var key in externalFunctions) { + this.player[key] = externalFunctions[key].bind(plugin); + this.core[key] = externalFunctions[key].bind(plugin); + } + }; - return textTrack; - } - } - return this.media.addTextTrack('metadata', 'id3'); - }; + return CoreFactory; + }(_base_object2.default); - ID3TrackController.prototype.onFragParsingMetadata = function onFragParsingMetadata(data) { - var fragment = data.frag; - var samples = data.samples; + exports.default = CoreFactory; + module.exports = exports['default']; - // 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 = window.WebKitDataCue || window.VTTCue || window.TextTrackCue; + /***/ "./src/components/core_factory/index.js": + /*!**********************************************!*\ + !*** ./src/components/core_factory/index.js ***! + \**********************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - for (var i = 0; i < samples.length; i++) { - var frames = id3["a" /* default */].getID3Frames(samples[i].data); - if (frames) { - var startTime = samples[i].pts; - var endTime = i < samples.length - 1 ? samples[i + 1].pts : fragment.endPTS; + "use strict"; - // Give a slight bump to the endTime if it's equal to startTime to avoid a SyntaxError in IE - if (startTime === endTime) { - endTime += 0.0001; - } - for (var j = 0; j < frames.length; j++) { - var frame = frames[j]; - // Safari doesn't put the timestamp frame in the TextTrack - if (!id3["a" /* default */].isTimeStampFrame(frame)) { - var cue = new Cue(startTime, endTime, ''); - cue.value = frame; - this.id3Track.addCue(cue); - } - } - } - } - }; + Object.defineProperty(exports, "__esModule", { + value: true + }); - return ID3TrackController; - }(event_handler); + var _core_factory = __webpack_require__(/*! ./core_factory */ "./src/components/core_factory/core_factory.js"); - /* harmony default export */ var id3_track_controller = (id3_track_controller_ID3TrackController); -// CONCATENATED MODULE: ./src/is-supported.js + var _core_factory2 = _interopRequireDefault(_core_factory); + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - function is_supported_isSupported() { - var mediaSource = getMediaSource(); - var sourceBuffer = window.SourceBuffer || window.WebKitSourceBuffer; - var isTypeSupported = mediaSource && typeof mediaSource.isTypeSupported === 'function' && mediaSource.isTypeSupported('video/mp4; codecs="avc1.42E01E,mp4a.40.2"'); + exports.default = _core_factory2.default; + module.exports = exports['default']; - // 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; - } -// CONCATENATED MODULE: ./src/utils/ewma.js - function ewma__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + /***/ }), - /* - * compute an Exponential Weighted moving average - * - https://en.wikipedia.org/wiki/Moving_average#Exponential_moving_average - * - heavily inspired from shaka-player - */ + /***/ "./src/components/error/error.js": + /*!***************************************!*\ + !*** ./src/components/error/error.js ***! + \***************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - var EWMA = function () { - // About half of the estimated value will be from the last |halfLife| samples by weight. - function EWMA(halfLife) { - ewma__classCallCheck(this, EWMA); + "use strict"; - // Larger values of alpha expire historical data more slowly. - this.alpha_ = halfLife ? Math.exp(Math.log(0.5) / halfLife) : 0; - this.estimate_ = 0; - this.totalWeight_ = 0; - } - EWMA.prototype.sample = function sample(weight, value) { - var adjAlpha = Math.pow(this.alpha_, weight); - this.estimate_ = value * (1 - adjAlpha) + adjAlpha * this.estimate_; - this.totalWeight_ += weight; - }; + Object.defineProperty(exports, "__esModule", { + value: true + }); - EWMA.prototype.getTotalWeight = function getTotalWeight() { - return this.totalWeight_; - }; + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); - EWMA.prototype.getEstimate = function getEstimate() { - if (this.alpha_) { - var zeroFactor = 1 - Math.pow(this.alpha_, this.totalWeight_); - return this.estimate_ / zeroFactor; - } else { - return this.estimate_; - } - }; + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); - return EWMA; - }(); + var _possibleConstructorReturn2 = __webpack_require__(/*! babel-runtime/helpers/possibleConstructorReturn */ "./node_modules/babel-runtime/helpers/possibleConstructorReturn.js"); - /* harmony default export */ var ewma = (EWMA); -// CONCATENATED MODULE: ./src/utils/ewma-bandwidth-estimator.js - function ewma_bandwidth_estimator__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); - /* - * 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 _createClass2 = __webpack_require__(/*! babel-runtime/helpers/createClass */ "./node_modules/babel-runtime/helpers/createClass.js"); + var _createClass3 = _interopRequireDefault(_createClass2); + var _inherits2 = __webpack_require__(/*! babel-runtime/helpers/inherits */ "./node_modules/babel-runtime/helpers/inherits.js"); - var ewma_bandwidth_estimator_EwmaBandWidthEstimator = function () { - function EwmaBandWidthEstimator(hls, slow, fast, defaultEstimate) { - ewma_bandwidth_estimator__classCallCheck(this, EwmaBandWidthEstimator); + var _inherits3 = _interopRequireDefault(_inherits2); - this.hls = hls; - this.defaultEstimate_ = defaultEstimate; - this.minWeight_ = 0.001; - this.minDelayMs_ = 50; - this.slow_ = new ewma(slow); - this.fast_ = new ewma(fast); - } + var _events = __webpack_require__(/*! ../../base/events */ "./src/base/events.js"); - EwmaBandWidthEstimator.prototype.sample = function sample(durationMs, numBytes) { - durationMs = Math.max(durationMs, this.minDelayMs_); - var bandwidth = 8000 * numBytes / durationMs, + var _events2 = _interopRequireDefault(_events); - // console.log('instant bw:'+ Math.round(bandwidth)); - // we weight sample using loading duration.... - weight = durationMs / 1000; - this.fast_.sample(weight, bandwidth); - this.slow_.sample(weight, bandwidth); - }; + var _base_object = __webpack_require__(/*! ../../base/base_object */ "./src/base/base_object.js"); - EwmaBandWidthEstimator.prototype.canEstimate = function canEstimate() { - var fast = this.fast_; - return fast && fast.getTotalWeight() >= this.minWeight_; - }; + var _base_object2 = _interopRequireDefault(_base_object); - EwmaBandWidthEstimator.prototype.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_; - } - }; + var _log = __webpack_require__(/*! ../../plugins/log */ "./src/plugins/log/index.js"); - EwmaBandWidthEstimator.prototype.destroy = function destroy() {}; + var _log2 = _interopRequireDefault(_log); - return EwmaBandWidthEstimator; - }(); + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - /* harmony default export */ var ewma_bandwidth_estimator = (ewma_bandwidth_estimator_EwmaBandWidthEstimator); -// CONCATENATED MODULE: ./src/controller/abr-controller.js + /** + * The PlayerError is responsible to receive and propagate errors. + * @class PlayerError + * @constructor + * @extends BaseObject + * @module components + */ + var PlayerError = function (_BaseObject) { + (0, _inherits3.default)(PlayerError, _BaseObject); + (0, _createClass3.default)(PlayerError, [{ + key: 'name', + get: function get() { + return 'error'; + } + /** + * @property Levels + * @type {Object} object with error levels + */ - var abr_controller__createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); + }], [{ + key: 'Levels', + get: function get() { + return { + FATAL: 'FATAL', + WARN: 'WARN', + INFO: 'INFO' + }; + } + }]); - function abr_controller__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + function PlayerError() { + var options = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {}; + var core = arguments[1]; + (0, _classCallCheck3.default)(this, PlayerError); - function abr_controller__possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call && (typeof call === "object" || typeof call === "function") ? call : self; } + var _this = (0, _possibleConstructorReturn3.default)(this, _BaseObject.call(this, options)); - function abr_controller__inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; } + _this.core = core; + return _this; + } - /* - * simple ABR Controller - * - compute next level based on last fragment bw heuristics - * - implement an abandon rules triggered if we have less than 2 frag buffered and if computed bw shows that we risk buffer stalling - */ + /** + * creates and trigger an error. + * @method createError + * @param {Object} err should be an object with code, description, level, origin, scope and raw error. + */ + PlayerError.prototype.createError = function createError(err) { + if (!this.core) { + _log2.default.warn(this.name, 'Core is not set. Error: ', err); + return; + } + this.core.trigger(_events2.default.ERROR, err); + }; + return PlayerError; + }(_base_object2.default); + exports.default = PlayerError; + module.exports = exports['default']; + /***/ }), + /***/ "./src/components/error/index.js": + /*!***************************************!*\ + !*** ./src/components/error/index.js ***! + \***************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { + "use strict"; - var abr_controller__window = window, - abr_controller_performance = abr_controller__window.performance; - var abr_controller_AbrController = function (_EventHandler) { - abr_controller__inherits(AbrController, _EventHandler); + Object.defineProperty(exports, "__esModule", { + value: true + }); - function AbrController(hls) { - abr_controller__classCallCheck(this, AbrController); + var _error = __webpack_require__(/*! ./error */ "./src/components/error/error.js"); - var _this = abr_controller__possibleConstructorReturn(this, _EventHandler.call(this, hls, events["a" /* default */].FRAG_LOADING, events["a" /* default */].FRAG_LOADED, events["a" /* default */].FRAG_BUFFERED, events["a" /* default */].ERROR)); + var _error2 = _interopRequireDefault(_error); - _this.lastLoadedFragLevel = 0; - _this._nextAutoLevel = -1; - _this.hls = hls; - _this.timer = null; - _this._bwEstimator = null; - _this.onCheck = _this._abandonRulesCheck.bind(_this); - return _this; - } + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - AbrController.prototype.destroy = function destroy() { - this.clearTimer(); - event_handler.prototype.destroy.call(this); - }; + exports.default = _error2.default; + module.exports = exports['default']; - AbrController.prototype.onFragLoading = function onFragLoading(data) { - var frag = data.frag; - if (frag.type === 'main') { - if (!this.timer) { - this.fragCurrent = frag; - this.timer = setInterval(this.onCheck, 100); - } + /***/ }), - // lazy init of BwEstimator, rationale is that we use different params for Live/VoD - // so we need to wait for stream manifest / playlist type to instantiate it. - if (!this._bwEstimator) { - var hls = this.hls; - var config = hls.config; - var level = frag.level; - var isLive = hls.levels[level].details.live; - - var ewmaFast = void 0, - ewmaSlow = void 0; - if (isLive) { - ewmaFast = config.abrEwmaFastLive; - ewmaSlow = config.abrEwmaSlowLive; - } else { - ewmaFast = config.abrEwmaFastVoD; - ewmaSlow = config.abrEwmaSlowVoD; - } - this._bwEstimator = new ewma_bandwidth_estimator(hls, ewmaSlow, ewmaFast, config.abrEwmaDefaultEstimate); - } - } - }; + /***/ "./src/components/loader/index.js": + /*!****************************************!*\ + !*** ./src/components/loader/index.js ***! + \****************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - AbrController.prototype._abandonRulesCheck = function _abandonRulesCheck() { - /* - monitor fragment retrieval time... - we compute expected time of arrival of the complete fragment. - we compare it to expected time of buffer starvation - */ - var hls = this.hls; - var video = hls.media; - var frag = this.fragCurrent; + "use strict"; - if (!frag) { - return; - } - var loader = frag.loader; - var minAutoLevel = hls.minAutoLevel; + Object.defineProperty(exports, "__esModule", { + value: true + }); - // if loader has been destroyed or loading has been aborted, stop timer and return - if (!loader || loader.stats && loader.stats.aborted) { - logger["b" /* 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; - } - var stats = loader.stats; - /* only monitor frag retrieval time if - (video not paused OR first fragment being loaded(ready state === HAVE_NOTHING = 0)) AND autoswitching enabled AND not lowest level (=> means that we have several levels) */ - if (video && stats && (!video.paused && video.playbackRate !== 0 || !video.readyState) && frag.autoLevel && frag.level) { - var requestDelay = abr_controller_performance.now() - stats.trequest, - playbackRate = Math.abs(video.playbackRate); - // monitor fragment load progress after half of expected fragment duration,to stabilize bitrate - if (requestDelay > 500 * frag.duration / playbackRate) { - var levels = hls.levels, - loadRate = Math.max(1, stats.bw ? stats.bw / 8 : stats.loaded * 1000 / requestDelay), - // byte/s; at least 1 byte/s to avoid division by zero - // compute expected fragment length using frag duration and level bitrate. also ensure that expected len is gte than already loaded size - level = levels[frag.level], - levelBitrate = level.realBitrate ? Math.max(level.realBitrate, level.bitrate) : level.bitrate, - expectedLen = stats.total ? stats.total : Math.max(stats.loaded, Math.round(frag.duration * levelBitrate / 8)), - pos = video.currentTime, - fragLoadedDelay = (expectedLen - stats.loaded) / loadRate, - bufferStarvationDelay = (BufferHelper.bufferInfo(video, pos, hls.config.maxBufferHole).end - pos) / playbackRate; - // consider emergency switch down only if we have less than 2 frag buffered AND - // time to finish loading current fragment is bigger than buffer starvation delay - // ie if we risk buffer starvation if bw does not increase quickly - if (bufferStarvationDelay < 2 * frag.duration / playbackRate && fragLoadedDelay > bufferStarvationDelay) { - var fragLevelNextLoadedDelay = void 0, - nextLoadLevel = void 0; - // lets iterate through lower level and try to find the biggest one that could avoid rebuffering - // we start from current level - 1 and we step down , until we find a matching level - 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].realBitrate ? Math.max(levels[nextLoadLevel].realBitrate, levels[nextLoadLevel].bitrate) : levels[nextLoadLevel].bitrate; - fragLevelNextLoadedDelay = frag.duration * levelNextBitrate / (8 * 0.8 * loadRate); - if (fragLevelNextLoadedDelay < bufferStarvationDelay) { - // we found a lower level that be rebuffering free with current estimated bw ! - break; - } - } - // only emergency switch down if it takes less time to load new fragment at lowest level instead - // of finishing loading current one ... - if (fragLevelNextLoadedDelay < fragLoadedDelay) { - logger["b" /* logger */].warn('loading too slow, abort fragment loading and switch to level ' + nextLoadLevel + ':fragLoadedDelay[' + nextLoadLevel + ']<fragLoadedDelay[' + (frag.level - 1) + '];bufferStarvationDelay:' + fragLevelNextLoadedDelay.toFixed(1) + '<' + fragLoadedDelay.toFixed(1) + ':' + bufferStarvationDelay.toFixed(1)); - // force next load level in auto mode - hls.nextLoadLevel = nextLoadLevel; - // update bw estimate for this fragment before cancelling load (this will help reducing the bw) - this._bwEstimator.sample(requestDelay, stats.loaded); - // abort fragment loading - loader.abort(); - // stop abandon rules timer - this.clearTimer(); - hls.trigger(events["a" /* default */].FRAG_LOAD_EMERGENCY_ABORTED, { frag: frag, stats: stats }); - } - } - } - } - }; + var _loader = __webpack_require__(/*! ./loader */ "./src/components/loader/loader.js"); - AbrController.prototype.onFragLoaded = function onFragLoaded(data) { - var frag = data.frag; - if (frag.type === 'main' && Object(number_isFinite["a" /* isFiniteNumber */])(frag.sn)) { - // 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) + data.stats.loaded; - var loadedDuration = (level.loaded ? level.loaded.duration : 0) + data.frag.duration; - level.loaded = { bytes: loadedBytes, duration: loadedDuration }; - level.realBitrate = Math.round(8 * loadedBytes / loadedDuration); - } - // if fragment has been loaded to perform a bitrate test, - if (data.frag.bitrateTest) { - var stats = data.stats; - stats.tparsed = stats.tbuffered = stats.tload; - this.onFragBuffered(data); - } - } - }; + var _loader2 = _interopRequireDefault(_loader); - AbrController.prototype.onFragBuffered = function onFragBuffered(data) { - var stats = data.stats; - var frag = data.frag; - // only update stats on first frag buffering - // if same frag is loaded multiple times, it might be in browser cache, and loaded quickly - // and leading to wrong bw estimation - // on bitrate test, also only update stats once (if tload = tbuffered == on FRAG_LOADED) - if (stats.aborted !== true && frag.type === 'main' && Object(number_isFinite["a" /* isFiniteNumber */])(frag.sn) && (!frag.bitrateTest || stats.tload === stats.tbuffered)) { - // use tparsed-trequest instead of tbuffered-trequest to compute fragLoadingProcessing; rationale is that buffer appending only happens once media is attached - // in case we use config.startFragPrefetch while media is not attached yet, fragment might be parsed while media not attached yet, but it will only be buffered on media attached - // as a consequence it could happen really late in the process. meaning that appending duration might appears huge ... leading to underestimated throughput estimation - var fragLoadingProcessingMs = stats.tparsed - stats.trequest; - logger["b" /* logger */].log('latency/loading/parsing/append/kbps:' + Math.round(stats.tfirst - stats.trequest) + '/' + Math.round(stats.tload - stats.tfirst) + '/' + Math.round(stats.tparsed - stats.tload) + '/' + Math.round(stats.tbuffered - stats.tparsed) + '/' + Math.round(8 * stats.loaded / (stats.tbuffered - stats.trequest))); - this._bwEstimator.sample(fragLoadingProcessingMs, stats.loaded); - stats.bwEstimate = this._bwEstimator.getEstimate(); - // if fragment has been loaded to perform a bitrate test, (hls.startLevel = -1), store bitrate test delay duration - if (frag.bitrateTest) { - this.bitrateTestDelay = fragLoadingProcessingMs / 1000; - } else { - this.bitrateTestDelay = 0; - } - } - }; + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - AbrController.prototype.onError = function onError(data) { - // stop timer in case of frag loading error - switch (data.details) { - case errors["a" /* ErrorDetails */].FRAG_LOAD_ERROR: - case errors["a" /* ErrorDetails */].FRAG_LOAD_TIMEOUT: - this.clearTimer(); - break; - default: - break; - } - }; + exports.default = _loader2.default; + module.exports = exports['default']; - AbrController.prototype.clearTimer = function clearTimer() { - clearInterval(this.timer); - this.timer = null; - }; + /***/ }), - // return next auto level + /***/ "./src/components/loader/loader.js": + /*!*****************************************!*\ + !*** ./src/components/loader/loader.js ***! + \*****************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { + "use strict"; - AbrController.prototype._findBestLevel = function _findBestLevel(currentLevel, currentFragDuration, currentBw, minAutoLevel, maxAutoLevel, maxFetchDuration, bwFactor, bwUpFactor, levels) { - for (var i = maxAutoLevel; i >= minAutoLevel; i--) { - var levelInfo = levels[i]; - if (!levelInfo) { - continue; - } + Object.defineProperty(exports, "__esModule", { + value: true + }); - var levelDetails = levelInfo.details, - avgDuration = levelDetails ? levelDetails.totalduration / levelDetails.fragments.length : currentFragDuration, - live = levelDetails ? levelDetails.live : false, - 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 _create = __webpack_require__(/*! babel-runtime/core-js/object/create */ "./node_modules/babel-runtime/core-js/object/create.js"); - var bitrate = levels[i].realBitrate ? Math.max(levels[i].realBitrate, levels[i].bitrate) : levels[i].bitrate, - fetchDuration = bitrate * avgDuration / adjustedbw; - - logger["b" /* 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; - }; + var _create2 = _interopRequireDefault(_create); - abr_controller__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; - } + var _toConsumableArray2 = __webpack_require__(/*! babel-runtime/helpers/toConsumableArray */ "./node_modules/babel-runtime/helpers/toConsumableArray.js"); - // compute next level using ABR logic - var nextABRAutoLevel = this._nextABRAutoLevel; - // if forced auto level has been defined, use it to cap ABR computed quality level - if (forcedAutoLevel !== -1) { - nextABRAutoLevel = Math.min(forcedAutoLevel, nextABRAutoLevel); - } + var _toConsumableArray3 = _interopRequireDefault(_toConsumableArray2); - return nextABRAutoLevel; - }, - set: function set(nextLevel) { - this._nextAutoLevel = nextLevel; - } - }, { - key: '_nextABRAutoLevel', - get: function get() { - var hls = this.hls, - maxAutoLevel = hls.maxAutoLevel, - levels = hls.levels, - config = hls.config, - minAutoLevel = hls.minAutoLevel; - var video = hls.media, - currentLevel = this.lastLoadedFragLevel, - currentFragDuration = this.fragCurrent ? this.fragCurrent.duration : 0, - pos = video ? video.currentTime : 0, - - // playbackRate is the absolute value of the playback rate; if video.playbackRate is 0, we use 1 to load as - // if we're playing back at the normal rate. - playbackRate = video && video.playbackRate !== 0 ? Math.abs(video.playbackRate) : 1.0, - avgbw = this._bwEstimator ? this._bwEstimator.getEstimate() : config.abrEwmaDefaultEstimate, - - // bufferStarvationDelay is the wall-clock time left until the playback buffer is exhausted. - bufferStarvationDelay = (BufferHelper.bufferInfo(video, 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(currentLevel, currentFragDuration, avgbw, minAutoLevel, maxAutoLevel, bufferStarvationDelay, config.abrBandWidthFactor, config.abrBandWidthUpFactor, levels); - if (bestLevel >= 0) { - return bestLevel; - } else { - logger["b" /* logger */].trace('rebuffering expected to happen, lets try to find a quality level minimizing the rebuffering'); - // 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, - bwFactor = config.abrBandWidthFactor, - bwUpFactor = config.abrBandWidthUpFactor; - if (bufferStarvationDelay === 0) { - // 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; - logger["b" /* 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(currentLevel, currentFragDuration, avgbw, minAutoLevel, maxAutoLevel, bufferStarvationDelay + maxStarvationDelay, bwFactor, bwUpFactor, levels); - return Math.max(bestLevel, 0); - } - } - }]); + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); - return AbrController; - }(event_handler); + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); - /* harmony default export */ var abr_controller = (abr_controller_AbrController); -// CONCATENATED MODULE: ./src/controller/buffer-controller.js + var _possibleConstructorReturn2 = __webpack_require__(/*! babel-runtime/helpers/possibleConstructorReturn */ "./node_modules/babel-runtime/helpers/possibleConstructorReturn.js"); + var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); - function buffer_controller__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + var _inherits2 = __webpack_require__(/*! babel-runtime/helpers/inherits */ "./node_modules/babel-runtime/helpers/inherits.js"); - function buffer_controller__possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call && (typeof call === "object" || typeof call === "function") ? call : self; } + var _inherits3 = _interopRequireDefault(_inherits2); - function buffer_controller__inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; } + var _base_object = __webpack_require__(/*! ../../base/base_object */ "./src/base/base_object.js"); - /* - * Buffer Controller -*/ + var _base_object2 = _interopRequireDefault(_base_object); + var _player_info = __webpack_require__(/*! ../player_info */ "./src/components/player_info.js"); + var _player_info2 = _interopRequireDefault(_player_info); + var _html5_video = __webpack_require__(/*! ../../playbacks/html5_video */ "./src/playbacks/html5_video/index.js"); + var _html5_video2 = _interopRequireDefault(_html5_video); + var _flash = __webpack_require__(/*! ../../playbacks/flash */ "./src/playbacks/flash/index.js"); + var _flash2 = _interopRequireDefault(_flash); - var buffer_controller_MediaSource = getMediaSource(); + var _html5_audio = __webpack_require__(/*! ../../playbacks/html5_audio */ "./src/playbacks/html5_audio/index.js"); - var buffer_controller_BufferController = function (_EventHandler) { - buffer_controller__inherits(BufferController, _EventHandler); + var _html5_audio2 = _interopRequireDefault(_html5_audio); - function BufferController(hls) { - buffer_controller__classCallCheck(this, BufferController); + var _flashls = __webpack_require__(/*! ../../playbacks/flashls */ "./src/playbacks/flashls/index.js"); - // the value that we have set mediasource.duration to - // (the actual duration may be tweaked slighly by the browser) - var _this = buffer_controller__possibleConstructorReturn(this, _EventHandler.call(this, hls, events["a" /* default */].MEDIA_ATTACHING, events["a" /* default */].MEDIA_DETACHING, events["a" /* default */].MANIFEST_PARSED, events["a" /* default */].BUFFER_RESET, events["a" /* default */].BUFFER_APPENDING, events["a" /* default */].BUFFER_CODECS, events["a" /* default */].BUFFER_EOS, events["a" /* default */].BUFFER_FLUSHING, events["a" /* default */].LEVEL_PTS_UPDATED, events["a" /* default */].LEVEL_UPDATED)); + var _flashls2 = _interopRequireDefault(_flashls); - _this._msDuration = null; - // the value that we want to set mediaSource.duration to - _this._levelDuration = null; - // current stream state: true - for live broadcast, false - for VoD content - _this._live = null; - // cache the self generated object url to detect hijack of video tag - _this._objectUrl = null; + var _hls = __webpack_require__(/*! ../../playbacks/hls */ "./src/playbacks/hls/index.js"); - // Source Buffer listeners - _this.onsbue = _this.onSBUpdateEnd.bind(_this); - _this.onsbe = _this.onSBUpdateError.bind(_this); - _this.pendingTracks = {}; - _this.tracks = {}; - return _this; - } + var _hls2 = _interopRequireDefault(_hls); - BufferController.prototype.destroy = function destroy() { - event_handler.prototype.destroy.call(this); - }; + var _html_img = __webpack_require__(/*! ../../playbacks/html_img */ "./src/playbacks/html_img/index.js"); - BufferController.prototype.onLevelPtsUpdated = function onLevelPtsUpdated(data) { - var type = data.type; - var audioTrack = this.tracks.audio; + var _html_img2 = _interopRequireDefault(_html_img); - // 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). At the time of change we issue - // `SourceBuffer.abort()` and adjusting `SourceBuffer.timestampOffset` if `SourceBuffer.updating` is false or awaiting `updateend` - // event if SB is in updating state. - // More info here: https://github.com/video-dev/hls.js/issues/332#issuecomment-257986486 + var _no_op = __webpack_require__(/*! ../../playbacks/no_op */ "./src/playbacks/no_op/index.js"); - if (type === 'audio' && audioTrack && audioTrack.container === 'audio/mpeg') { - // Chrome audio mp3 track - var audioBuffer = this.sourceBuffer.audio; - var delta = Math.abs(audioBuffer.timestampOffset - data.start); + var _no_op2 = _interopRequireDefault(_no_op); - // adjust timestamp offset if time delta is greater than 100ms - if (delta > 0.1) { - var updating = audioBuffer.updating; + var _spinner_three_bounce = __webpack_require__(/*! ../../plugins/spinner_three_bounce */ "./src/plugins/spinner_three_bounce/index.js"); - try { - audioBuffer.abort(); - } catch (err) { - updating = true; - logger["b" /* logger */].warn('can not abort audio buffer: ' + err); - } + var _spinner_three_bounce2 = _interopRequireDefault(_spinner_three_bounce); - if (!updating) { - logger["b" /* logger */].warn('change mpeg audio timestamp offset from ' + audioBuffer.timestampOffset + ' to ' + data.start); - audioBuffer.timestampOffset = data.start; - } else { - this.audioTimestampOffset = data.start; - } - } - } - }; + var _stats = __webpack_require__(/*! ../../plugins/stats */ "./src/plugins/stats/index.js"); - BufferController.prototype.onManifestParsed = function onManifestParsed(data) { - var audioExpected = data.audio, - videoExpected = data.video || data.levels.length && data.altAudio, - sourceBufferNb = 0; - // 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 - if (data.altAudio && (audioExpected || videoExpected)) { - sourceBufferNb = (audioExpected ? 1 : 0) + (videoExpected ? 1 : 0); - logger["b" /* logger */].log(sourceBufferNb + ' sourceBuffer(s) expected'); - } - this.sourceBufferNb = sourceBufferNb; - }; + var _stats2 = _interopRequireDefault(_stats); - BufferController.prototype.onMediaAttaching = function onMediaAttaching(data) { - var media = this.media = data.media; - if (media) { - // setup the media source - var ms = this.mediaSource = new buffer_controller_MediaSource(); - // Media Source listeners - this.onmso = this.onMediaSourceOpen.bind(this); - this.onmse = this.onMediaSourceEnded.bind(this); - this.onmsc = this.onMediaSourceClose.bind(this); - ms.addEventListener('sourceopen', this.onmso); - ms.addEventListener('sourceended', this.onmse); - ms.addEventListener('sourceclose', this.onmsc); - // link video and media Source - media.src = window.URL.createObjectURL(ms); - // cache the locally generated object url - this._objectUrl = media.src; - } - }; + var _watermark = __webpack_require__(/*! ../../plugins/watermark */ "./src/plugins/watermark/index.js"); - BufferController.prototype.onMediaDetaching = function onMediaDetaching() { - logger["b" /* logger */].log('media source detaching'); - var ms = this.mediaSource; - if (ms) { - if (ms.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 - ms.endOfStream(); - } catch (err) { - logger["b" /* logger */].warn('onMediaDetaching:' + err.message + ' while calling endOfStream'); - } - } - ms.removeEventListener('sourceopen', this.onmso); - ms.removeEventListener('sourceended', this.onmse); - ms.removeEventListener('sourceclose', this.onmsc); - - // Detach properly the MediaSource from the HTMLMediaElement as - // suggested in https://github.com/w3c/media-source/issues/53. - if (this.media) { - window.URL.revokeObjectURL(this._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 (this.media.src === this._objectUrl) { - this.media.removeAttribute('src'); - this.media.load(); - } else { - logger["b" /* logger */].warn('media.src was changed by a third party - skip cleanup'); - } - } + var _watermark2 = _interopRequireDefault(_watermark); - this.mediaSource = null; - this.media = null; - this._objectUrl = null; - this.pendingTracks = {}; - this.tracks = {}; - this.sourceBuffer = {}; - this.flushRange = []; - this.segments = []; - this.appended = 0; - } - this.onmso = this.onmse = this.onmsc = null; - this.hls.trigger(events["a" /* default */].MEDIA_DETACHED); - }; + var _poster = __webpack_require__(/*! ../../plugins/poster */ "./src/plugins/poster/index.js"); - BufferController.prototype.onMediaSourceOpen = function onMediaSourceOpen() { - logger["b" /* logger */].log('media source opened'); - this.hls.trigger(events["a" /* default */].MEDIA_ATTACHED, { media: this.media }); - var mediaSource = this.mediaSource; - if (mediaSource) { - // once received, don't listen anymore to sourceopen event - mediaSource.removeEventListener('sourceopen', this.onmso); - } - this.checkPendingTracks(); - }; + var _poster2 = _interopRequireDefault(_poster); - BufferController.prototype.checkPendingTracks = function checkPendingTracks() { - // if any buffer codecs pending, check if we have enough to create sourceBuffers - var pendingTracks = this.pendingTracks, - pendingTracksNb = Object.keys(pendingTracks).length; - // if any pending tracks and (if nb of pending tracks gt or equal than expected nb or if unknown expected nb) - if (pendingTracksNb && (this.sourceBufferNb <= pendingTracksNb || this.sourceBufferNb === 0)) { - // ok, let's create them now ! - this.createSourceBuffers(pendingTracks); - this.pendingTracks = {}; - // append any pending segments now ! - this.doAppending(); - } - }; + var _google_analytics = __webpack_require__(/*! ../../plugins/google_analytics */ "./src/plugins/google_analytics/index.js"); - BufferController.prototype.onMediaSourceClose = function onMediaSourceClose() { - logger["b" /* logger */].log('media source closed'); - }; + var _google_analytics2 = _interopRequireDefault(_google_analytics); - BufferController.prototype.onMediaSourceEnded = function onMediaSourceEnded() { - logger["b" /* logger */].log('media source ended'); - }; + var _click_to_pause = __webpack_require__(/*! ../../plugins/click_to_pause */ "./src/plugins/click_to_pause/index.js"); - BufferController.prototype.onSBUpdateEnd = function onSBUpdateEnd() { - // update timestampOffset - if (this.audioTimestampOffset) { - var audioBuffer = this.sourceBuffer.audio; - logger["b" /* logger */].warn('change mpeg audio timestamp offset from ' + audioBuffer.timestampOffset + ' to ' + this.audioTimestampOffset); - audioBuffer.timestampOffset = this.audioTimestampOffset; - delete this.audioTimestampOffset; - } + var _click_to_pause2 = _interopRequireDefault(_click_to_pause); - if (this._needsFlush) { - this.doFlush(); - } + var _media_control = __webpack_require__(/*! ../../plugins/media_control */ "./src/plugins/media_control/index.js"); - if (this._needsEos) { - this.checkEos(); - } + var _media_control2 = _interopRequireDefault(_media_control); - this.appending = false; - var parent = this.parent; - // count nb of pending segments waiting for appending on this sourcebuffer - var pending = this.segments.reduce(function (counter, segment) { - return segment.parent === parent ? counter + 1 : counter; - }, 0); - - // this.sourceBuffer is better to use than media.buffered as it is closer to the PTS data from the fragments - var timeRanges = {}; - var sourceBuffer = this.sourceBuffer; - for (var streamType in sourceBuffer) { - timeRanges[streamType] = sourceBuffer[streamType].buffered; - } + var _dvr_controls = __webpack_require__(/*! ../../plugins/dvr_controls */ "./src/plugins/dvr_controls/index.js"); - this.hls.trigger(events["a" /* default */].BUFFER_APPENDED, { parent: parent, pending: pending, timeRanges: timeRanges }); - // don't append in flushing mode - if (!this._needsFlush) { - this.doAppending(); - } + var _dvr_controls2 = _interopRequireDefault(_dvr_controls); - this.updateMediaElementDuration(); - }; + var _closed_captions = __webpack_require__(/*! ../../plugins/closed_captions */ "./src/plugins/closed_captions/index.js"); - BufferController.prototype.onSBUpdateError = function onSBUpdateError(event) { - logger["b" /* logger */].error('sourceBuffer error:', event); - // according to http://www.w3.org/TR/media-source/#sourcebuffer-append-error - // this error might not always be fatal (it is fatal if decode error is set, in that case - // it will be followed by a mediaElement error ...) - this.hls.trigger(events["a" /* default */].ERROR, { type: errors["b" /* ErrorTypes */].MEDIA_ERROR, details: errors["a" /* ErrorDetails */].BUFFER_APPENDING_ERROR, fatal: false }); - // we don't need to do more than that, as accordin to the spec, updateend will be fired just after - }; + var _closed_captions2 = _interopRequireDefault(_closed_captions); - BufferController.prototype.onBufferReset = function onBufferReset() { - var sourceBuffer = this.sourceBuffer; - for (var type in sourceBuffer) { - var sb = sourceBuffer[type]; - try { - this.mediaSource.removeSourceBuffer(sb); - sb.removeEventListener('updateend', this.onsbue); - sb.removeEventListener('error', this.onsbe); - } catch (err) {} - } - this.sourceBuffer = {}; - this.flushRange = []; - this.segments = []; - this.appended = 0; - }; + var _favicon = __webpack_require__(/*! ../../plugins/favicon */ "./src/plugins/favicon/index.js"); - BufferController.prototype.onBufferCodecs = function onBufferCodecs(tracks) { - // if source buffer(s) not created yet, appended buffer tracks in this.pendingTracks - // if sourcebuffers already created, do nothing ... - if (Object.keys(this.sourceBuffer).length === 0) { - for (var trackName in tracks) { - this.pendingTracks[trackName] = tracks[trackName]; - }var mediaSource = this.mediaSource; - if (mediaSource && mediaSource.readyState === 'open') { - // try to create sourcebuffers if mediasource opened - this.checkPendingTracks(); - } - } - }; + var _favicon2 = _interopRequireDefault(_favicon); - BufferController.prototype.createSourceBuffers = function createSourceBuffers(tracks) { - var sourceBuffer = this.sourceBuffer, - mediaSource = this.mediaSource; - - for (var trackName in tracks) { - if (!sourceBuffer[trackName]) { - var track = tracks[trackName]; - // use levelCodec as first priority - var codec = track.levelCodec || track.codec; - var mimeType = track.container + ';codecs=' + codec; - logger["b" /* logger */].log('creating sourceBuffer(' + mimeType + ')'); - try { - var sb = sourceBuffer[trackName] = mediaSource.addSourceBuffer(mimeType); - sb.addEventListener('updateend', this.onsbue); - sb.addEventListener('error', this.onsbe); - this.tracks[trackName] = { codec: codec, container: track.container }; - track.buffer = sb; - } catch (err) { - logger["b" /* logger */].error('error while trying to add sourceBuffer:' + err.message); - this.hls.trigger(events["a" /* default */].ERROR, { type: errors["b" /* ErrorTypes */].MEDIA_ERROR, details: errors["a" /* ErrorDetails */].BUFFER_ADD_CODEC_ERROR, fatal: false, err: err, mimeType: mimeType }); - } - } - } - this.hls.trigger(events["a" /* default */].BUFFER_CREATED, { tracks: tracks }); - }; + var _seek_time = __webpack_require__(/*! ../../plugins/seek_time */ "./src/plugins/seek_time/index.js"); - BufferController.prototype.onBufferAppending = function onBufferAppending(data) { - if (!this._needsFlush) { - if (!this.segments) { - this.segments = [data]; - } else { - this.segments.push(data); - } + var _seek_time2 = _interopRequireDefault(_seek_time); - this.doAppending(); - } - }; + var _sources = __webpack_require__(/*! ../../plugins/sources */ "./src/plugins/sources.js"); - BufferController.prototype.onBufferAppendFail = function onBufferAppendFail(data) { - logger["b" /* logger */].error('sourceBuffer error:', data.event); - // according to http://www.w3.org/TR/media-source/#sourcebuffer-append-error - // this error might not always be fatal (it is fatal if decode error is set, in that case - // it will be followed by a mediaElement error ...) - this.hls.trigger(events["a" /* default */].ERROR, { type: errors["b" /* ErrorTypes */].MEDIA_ERROR, details: errors["a" /* ErrorDetails */].BUFFER_APPENDING_ERROR, fatal: false }); - }; + var _sources2 = _interopRequireDefault(_sources); - // on BUFFER_EOS mark matching sourcebuffer(s) as ended and trigger checkEos() + var _end_video = __webpack_require__(/*! ../../plugins/end_video */ "./src/plugins/end_video.js"); + var _end_video2 = _interopRequireDefault(_end_video); - BufferController.prototype.onBufferEos = function onBufferEos(data) { - var sb = this.sourceBuffer; - var dataType = data.type; - for (var type in sb) { - if (!dataType || type === dataType) { - if (!sb[type].ended) { - sb[type].ended = true; - logger["b" /* logger */].log(type + ' sourceBuffer now EOS'); - } - } - } - this.checkEos(); - }; + var _strings = __webpack_require__(/*! ../../plugins/strings */ "./src/plugins/strings.js"); - // if all source buffers are marked as ended, signal endOfStream() to MediaSource. + var _strings2 = _interopRequireDefault(_strings); + var _error_screen = __webpack_require__(/*! ../../plugins/error_screen */ "./src/plugins/error_screen/index.js"); - BufferController.prototype.checkEos = function checkEos() { - var sb = this.sourceBuffer, - mediaSource = this.mediaSource; - if (!mediaSource || mediaSource.readyState !== 'open') { - this._needsEos = false; - return; - } - for (var type in sb) { - var sbobj = sb[type]; - if (!sbobj.ended) { - return; - } + var _error_screen2 = _interopRequireDefault(_error_screen); - if (sbobj.updating) { - this._needsEos = true; - return; - } - } - logger["b" /* logger */].log('all media data available, signal endOfStream() to MediaSource and stop loading fragment'); - // Notify the media element that it now has all of the media data - try { - mediaSource.endOfStream(); - } catch (e) { - logger["b" /* logger */].warn('exception while calling mediaSource.endOfStream()'); - } - this._needsEos = false; - }; + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - BufferController.prototype.onBufferFlushing = function onBufferFlushing(data) { - this.flushRange.push({ start: data.startOffset, end: data.endOffset, type: data.type }); - // attempt flush immediately - this.flushBufferCounter = 0; - this.doFlush(); - }; + /** + * It keeps a list of the default plugins (playback, container, core) and it merges external plugins with its internals. + * @class Loader + * @constructor + * @extends BaseObject + * @module components + */ - BufferController.prototype.onLevelUpdated = function onLevelUpdated(_ref) { - var details = _ref.details; - if (details.fragments.length > 0) { - this._levelDuration = details.totalduration + details.fragments[0].start; - this._live = details.live; - this.updateMediaElementDuration(); - } - }; + /* Playback Plugins */ +// Copyright 2014 Globo.com Player authors. All rights reserved. +// Use of this source code is governed by a BSD-style +// license that can be found in the LICENSE file. - /** - * 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 - */ + var Loader = function (_BaseObject) { + (0, _inherits3.default)(Loader, _BaseObject); + /** + * builds the loader + * @method constructor + * @param {Object} externalPlugins the external plugins + * @param {Number} playerId you can embed multiple instances of clappr, therefore this is the unique id of each one. + */ + function Loader() { + var externalPlugins = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : []; + var playerId = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : 0; + var useOnlyPlainHtml5Plugins = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : false; + (0, _classCallCheck3.default)(this, Loader); - BufferController.prototype.updateMediaElementDuration = function updateMediaElementDuration() { - var config = this.hls.config; + var _this = (0, _possibleConstructorReturn3.default)(this, _BaseObject.call(this)); - var duration = void 0; + _this.playerId = playerId; + _this.playbackPlugins = []; - if (this._levelDuration === null || !this.media || !this.mediaSource || !this.sourceBuffer || this.media.readyState === 0 || this.mediaSource.readyState !== 'open') { - return; - } + if (!useOnlyPlainHtml5Plugins) { + _this.playbackPlugins = [].concat((0, _toConsumableArray3.default)(_this.playbackPlugins), [_hls2.default]); + } - for (var type in this.sourceBuffer) { - if (this.sourceBuffer[type].updating === true) { - // can't set duration whilst a buffer is updating - return; - } - } + _this.playbackPlugins = [].concat((0, _toConsumableArray3.default)(_this.playbackPlugins), [_html5_video2.default, _html5_audio2.default]); - duration = this.media.duration; - // initialise to the value that the media source is reporting - if (this._msDuration === null) { - this._msDuration = this.mediaSource.duration; - } + if (!useOnlyPlainHtml5Plugins) { + _this.playbackPlugins = [].concat((0, _toConsumableArray3.default)(_this.playbackPlugins), [_flash2.default, _flashls2.default]); + } - if (this._live === true && config.liveDurationInfinity === true) { - // Override duration to Infinity - logger["b" /* logger */].log('Media Source duration is set to Infinity'); - this._msDuration = this.mediaSource.duration = Infinity; - } else if (this._levelDuration > this._msDuration && this._levelDuration > duration || !Object(number_isFinite["a" /* isFiniteNumber */])(duration)) { - // 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 - logger["b" /* logger */].log('Updating Media Source duration to ' + this._levelDuration.toFixed(3)); - this._msDuration = this.mediaSource.duration = this._levelDuration; - } - }; + _this.playbackPlugins = [].concat((0, _toConsumableArray3.default)(_this.playbackPlugins), [_html_img2.default, _no_op2.default]); - BufferController.prototype.doFlush = function doFlush() { - // loop through all buffer ranges to flush - while (this.flushRange.length) { - var range = this.flushRange[0]; - // flushBuffer will abort any buffer append in progress and flush Audio/Video Buffer - if (this.flushBuffer(range.start, range.end, range.type)) { - // range flushed, remove from flush array - this.flushRange.shift(); - this.flushBufferCounter = 0; - } else { - this._needsFlush = true; - // avoid looping, wait for SB update end to retrigger a flush - return; - } - } - if (this.flushRange.length === 0) { - // everything flushed - this._needsFlush = false; + _this.containerPlugins = [_spinner_three_bounce2.default, _watermark2.default, _poster2.default, _stats2.default, _google_analytics2.default, _click_to_pause2.default]; + _this.corePlugins = [_media_control2.default, _dvr_controls2.default, _closed_captions2.default, _favicon2.default, _seek_time2.default, _sources2.default, _end_video2.default, _error_screen2.default, _strings2.default]; - // let's recompute this.appended, which is used to avoid flush looping - var appended = 0; - var sourceBuffer = this.sourceBuffer; - try { - for (var type in sourceBuffer) { - appended += sourceBuffer[type].buffered.length; - } - } catch (error) { - // error could be thrown while accessing buffered, in case sourcebuffer has already been removed from MediaSource - // this is harmess at this stage, catch this to avoid reporting an internal exception - logger["b" /* logger */].error('error while accessing sourceBuffer.buffered'); - } - this.appended = appended; - this.hls.trigger(events["a" /* default */].BUFFER_FLUSHED); - } - }; + if (!Array.isArray(externalPlugins)) _this.validateExternalPluginsType(externalPlugins); - BufferController.prototype.doAppending = function doAppending() { - var hls = this.hls, - sourceBuffer = this.sourceBuffer, - segments = this.segments; - if (Object.keys(sourceBuffer).length) { - if (this.media.error) { - this.segments = []; - logger["b" /* logger */].error('trying to append although a media error occured, flush segment and abort'); - return; - } - if (this.appending) { - // logger.log(`sb appending in progress`); - return; - } - if (segments && segments.length) { - var segment = segments.shift(); - try { - var type = segment.type, - sb = sourceBuffer[type]; - if (sb) { - if (!sb.updating) { - // reset sourceBuffer ended flag before appending segment - sb.ended = false; - // logger.log(`appending ${segment.content} ${type} SB, size:${segment.data.length}, ${segment.parent}`); - this.parent = segment.parent; - sb.appendBuffer(segment.data); - this.appendError = 0; - this.appended++; - this.appending = true; - } else { - segments.unshift(segment); - } - } else { - // in case we don't have any source buffer matching with this segment type, - // it means that Mediasource fails to create sourcebuffer - // discard this segment, and trigger update end - this.onSBUpdateEnd(); - } - } catch (err) { - // in case any error occured while appending, put back segment in segments table - logger["b" /* logger */].error('error while trying to append buffer:' + err.message); - segments.unshift(segment); - var event = { type: errors["b" /* ErrorTypes */].MEDIA_ERROR, parent: segment.parent }; - if (err.code !== 22) { - if (this.appendError) { - this.appendError++; - } else { - this.appendError = 1; - } - - event.details = errors["a" /* 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 help recovering this - */ - if (this.appendError > hls.config.appendErrorMaxRetry) { - logger["b" /* logger */].log('fail ' + hls.config.appendErrorMaxRetry + ' times to append segment in sourceBuffer'); - segments = []; - event.fatal = true; - hls.trigger(events["a" /* default */].ERROR, event); - } else { - event.fatal = false; - hls.trigger(events["a" /* default */].ERROR, event); - } - } else { - // QuotaExceededError: http://www.w3.org/TR/html5/infrastructure.html#quotaexceedederror - // let's stop appending any segments, and report BUFFER_FULL_ERROR error - this.segments = []; - event.details = errors["a" /* ErrorDetails */].BUFFER_FULL_ERROR; - event.fatal = false; - hls.trigger(events["a" /* default */].ERROR, event); - } - } - } - } - }; + _this.addExternalPlugins(externalPlugins); + return _this; + } - /* - flush specified buffered range, - return true once range has been flushed. - as sourceBuffer.remove() is asynchronous, flushBuffer will be retriggered on sourceBuffer update end - */ + /** + * groups by type the external plugins that were passed through `options.plugins` it they're on a flat array + * @method addExternalPlugins + * @private + * @param {Object} an config object or an array of plugins + * @return {Object} plugins the config object with the plugins separated by type + */ - BufferController.prototype.flushBuffer = function flushBuffer(startOffset, endOffset, typeIn) { - var sb = void 0, - i = void 0, - bufStart = void 0, - bufEnd = void 0, - flushStart = void 0, - flushEnd = void 0, - sourceBuffer = this.sourceBuffer; - if (Object.keys(sourceBuffer).length) { - logger["b" /* logger */].log('flushBuffer,pos/start/end: ' + this.media.currentTime.toFixed(3) + '/' + startOffset + '/' + endOffset); - // safeguard to avoid infinite looping : don't try to flush more than the nb of appended segments - if (this.flushBufferCounter < this.appended) { - for (var type in sourceBuffer) { - // check if sourcebuffer type is defined (typeIn): if yes, let's only flush this one - // if no, let's flush all sourcebuffers - if (typeIn && type !== typeIn) { - continue; - } - - sb = sourceBuffer[type]; - // we are going to flush buffer, mark source buffer as 'not ended' - sb.ended = false; - if (!sb.updating) { - try { - for (i = 0; i < sb.buffered.length; i++) { - bufStart = sb.buffered.start(i); - bufEnd = sb.buffered.end(i); - // workaround firefox not able to properly flush multiple buffered range. - if (navigator.userAgent.toLowerCase().indexOf('firefox') !== -1 && endOffset === Number.POSITIVE_INFINITY) { - flushStart = startOffset; - flushEnd = endOffset; - } else { - flushStart = Math.max(bufStart, startOffset); - flushEnd = Math.min(bufEnd, endOffset); - } - /* sometimes sourcebuffer.remove() does not flush - the exact expected time range. - to avoid rounding issues/infinite loop, - only flush buffer range of length greater than 500ms. - */ - if (Math.min(flushEnd, bufEnd) - flushStart > 0.5) { - this.flushBufferCounter++; - logger["b" /* logger */].log('flush ' + type + ' [' + flushStart + ',' + flushEnd + '], of [' + bufStart + ',' + bufEnd + '], pos:' + this.media.currentTime); - sb.remove(flushStart, flushEnd); - return false; - } - } - } catch (e) { - logger["b" /* logger */].warn('exception while accessing sourcebuffer, it might have been removed from MediaSource'); - } - } else { - // logger.log('abort ' + type + ' append in progress'); - // this will abort any appending in progress - // sb.abort(); - logger["b" /* logger */].warn('cannot flush, sb updating in progress'); - return false; - } - } - } else { - logger["b" /* logger */].warn('abort flushing too many retries'); - } - logger["b" /* logger */].log('buffer flushed'); - } - // everything flushed ! - return true; - }; + Loader.prototype.groupPluginsByType = function groupPluginsByType(plugins) { + if (Array.isArray(plugins)) { + plugins = plugins.reduce(function (memo, plugin) { + memo[plugin.type] || (memo[plugin.type] = []); + memo[plugin.type].push(plugin); + return memo; + }, {}); + } + return plugins; + }; - return BufferController; - }(event_handler); + Loader.prototype.removeDups = function removeDups(list) { + var groupUp = function groupUp(plugins, plugin) { + plugins[plugin.prototype.name] && delete plugins[plugin.prototype.name]; + plugins[plugin.prototype.name] = plugin; + return plugins; + }; + var pluginsMap = list.reduceRight(groupUp, (0, _create2.default)(null)); - /* harmony default export */ var buffer_controller = (buffer_controller_BufferController); -// CONCATENATED MODULE: ./src/controller/cap-level-controller.js - var cap_level_controller__createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); + var plugins = []; + for (var key in pluginsMap) { + plugins.unshift(pluginsMap[key]); + }return plugins; + }; - function cap_level_controller__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + /** + * adds all the external plugins that were passed through `options.plugins` + * @method addExternalPlugins + * @private + * @param {Object} plugins the config object with all plugins + */ - function cap_level_controller__possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call && (typeof call === "object" || typeof call === "function") ? call : self; } - function cap_level_controller__inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; } + Loader.prototype.addExternalPlugins = function addExternalPlugins(plugins) { + plugins = this.groupPluginsByType(plugins); + if (plugins.playback) this.playbackPlugins = this.removeDups(plugins.playback.concat(this.playbackPlugins)); - /* - * cap stream level to media size dimension controller -*/ + if (plugins.container) this.containerPlugins = this.removeDups(plugins.container.concat(this.containerPlugins)); + if (plugins.core) this.corePlugins = this.removeDups(plugins.core.concat(this.corePlugins)); + _player_info2.default.getInstance(this.playerId).playbackPlugins = this.playbackPlugins; + }; + /** + * validate if the external plugins that were passed through `options.plugins` are associated to the correct type + * @method validateExternalPluginsType + * @private + * @param {Object} plugins the config object with all plugins + */ - var cap_level_controller_CapLevelController = function (_EventHandler) { - cap_level_controller__inherits(CapLevelController, _EventHandler); - function CapLevelController(hls) { - cap_level_controller__classCallCheck(this, CapLevelController); + Loader.prototype.validateExternalPluginsType = function validateExternalPluginsType(plugins) { + var plugintypes = ['playback', 'container', 'core']; + plugintypes.forEach(function (type) { + (plugins[type] || []).forEach(function (el) { + var errorMessage = 'external ' + el.type + ' plugin on ' + type + ' array'; + if (el.type !== type) throw new ReferenceError(errorMessage); + }); + }); + }; - var _this = cap_level_controller__possibleConstructorReturn(this, _EventHandler.call(this, hls, events["a" /* default */].FPS_DROP_LEVEL_CAPPING, events["a" /* default */].MEDIA_ATTACHING, events["a" /* default */].MANIFEST_PARSED, events["a" /* default */].BUFFER_CODECS, events["a" /* default */].MEDIA_DETACHING)); + return Loader; + }(_base_object2.default); - _this.autoLevelCapping = Number.POSITIVE_INFINITY; - _this.firstLevel = null; - _this.levels = []; - _this.media = null; - _this.restrictedLevels = []; - _this.timer = null; - return _this; - } + /* Core Plugins */ - CapLevelController.prototype.destroy = function destroy() { - if (this.hls.config.capLevelToPlayerSize) { - this.media = null; - this._stopCapping(); - } - }; - CapLevelController.prototype.onFpsDropLevelCapping = function onFpsDropLevelCapping(data) { - // Don't add a restricted level more than once - if (CapLevelController.isLevelAllowed(data.droppedLevel, this.restrictedLevels)) { - this.restrictedLevels.push(data.droppedLevel); - } - }; + /* Container Plugins */ - CapLevelController.prototype.onMediaAttaching = function onMediaAttaching(data) { - this.media = data.media instanceof window.HTMLVideoElement ? data.media : null; - }; - CapLevelController.prototype.onManifestParsed = function onManifestParsed(data) { - var hls = this.hls; - this.restrictedLevels = []; - this.levels = data.levels; - this.firstLevel = data.firstLevel; - if (hls.config.capLevelToPlayerSize && (data.video || data.levels.length && data.altAudio)) { - // Start capping immediately if the manifest has signaled video codecs - this._startCapping(); - } - }; + exports.default = Loader; + module.exports = exports['default']; - // Only activate capping when playing a video stream; otherwise, multi-bitrate audio-only streams will be restricted - // to the first level + /***/ }), + /***/ "./src/components/mediator.js": + /*!************************************!*\ + !*** ./src/components/mediator.js ***! + \************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - CapLevelController.prototype.onBufferCodecs = function onBufferCodecs(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(); - } - }; + "use strict"; - CapLevelController.prototype.onLevelsUpdated = function onLevelsUpdated(data) { - this.levels = data.levels; - }; - CapLevelController.prototype.onMediaDetaching = function onMediaDetaching() { - this._stopCapping(); - }; + Object.defineProperty(exports, "__esModule", { + value: true + }); - CapLevelController.prototype.detectPlayerSize = function detectPlayerSize() { - if (this.media) { - var levelsLength = this.levels ? this.levels.length : 0; - if (levelsLength) { - var hls = this.hls; - hls.autoLevelCapping = this.getMaxLevel(levelsLength - 1); - if (hls.autoLevelCapping > this.autoLevelCapping) { - // 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. - hls.streamController.nextLevelSwitch(); - } - this.autoLevelCapping = hls.autoLevelCapping; - } - } - }; + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); - /* - * returns level should be the one with the dimensions equal or greater than the media (player) dimensions (so the video will be downscaled) - */ + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + var _events = __webpack_require__(/*! ../base/events */ "./src/base/events.js"); - CapLevelController.prototype.getMaxLevel = function getMaxLevel(capLevelIndex) { - var _this2 = this; + var _events2 = _interopRequireDefault(_events); - if (!this.levels) { - return -1; - } + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - var validLevels = this.levels.filter(function (level, index) { - return CapLevelController.isLevelAllowed(index, _this2.restrictedLevels) && index <= capLevelIndex; - }); + var events = new _events2.default(); // Copyright 2014 Globo.com Player authors. All rights reserved. +// Use of this source code is governed by a BSD-style +// license that can be found in the LICENSE file. - return CapLevelController.getMaxLevelByMediaSize(validLevels, this.mediaWidth, this.mediaHeight); - }; + /** + * The mediator is a singleton for handling global events. + */ - CapLevelController.prototype._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); - clearInterval(this.timer); - this.timer = setInterval(this.detectPlayerSize.bind(this), 1000); - this.detectPlayerSize(); - }; + var Mediator = function Mediator() { + (0, _classCallCheck3.default)(this, Mediator); + }; - CapLevelController.prototype._stopCapping = function _stopCapping() { - this.restrictedLevels = []; - this.firstLevel = null; - this.autoLevelCapping = Number.POSITIVE_INFINITY; - if (this.timer) { - this.timer = clearInterval(this.timer); - this.timer = null; - } - }; + exports.default = Mediator; - CapLevelController.isLevelAllowed = function isLevelAllowed(level) { - var restrictedLevels = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : []; - return restrictedLevels.indexOf(level) === -1; - }; + Mediator.on = function (name, callback, context) { + events.on(name, callback, context); + return; + }; - CapLevelController.getMaxLevelByMediaSize = function getMaxLevelByMediaSize(levels, width, height) { - if (!levels || levels && !levels.length) { - return -1; - } + Mediator.once = function (name, callback, context) { + events.once(name, callback, context); + return; + }; - // 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; - } + Mediator.off = function (name, callback, context) { + events.off(name, callback, context); + return; + }; - return curLevel.width !== nextLevel.width || curLevel.height !== nextLevel.height; - }; + Mediator.trigger = function (name) { + for (var _len = arguments.length, opts = Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) { + opts[_key - 1] = arguments[_key]; + } - // 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; + events.trigger.apply(events, [name].concat(opts)); + return; + }; - 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; - } - } + Mediator.stopListening = function (obj, name, callback) { + events.stopListening(obj, name, callback); + return; + }; + module.exports = exports['default']; - return maxLevelIndex; - }; + /***/ }), - cap_level_controller__createClass(CapLevelController, [{ - key: 'mediaWidth', - get: function get() { - var width = void 0; - var media = this.media; - if (media) { - width = media.width || media.clientWidth || media.offsetWidth; - width *= CapLevelController.contentScaleFactor; - } - return width; - } - }, { - key: 'mediaHeight', - get: function get() { - var height = void 0; - var media = this.media; - if (media) { - height = media.height || media.clientHeight || media.offsetHeight; - height *= CapLevelController.contentScaleFactor; - } - return height; - } - }], [{ - key: 'contentScaleFactor', - get: function get() { - var pixelRatio = 1; - try { - pixelRatio = window.devicePixelRatio; - } catch (e) {} - return pixelRatio; - } - }]); + /***/ "./src/components/player.js": + /*!**********************************!*\ + !*** ./src/components/player.js ***! + \**********************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - return CapLevelController; - }(event_handler); + "use strict"; - /* harmony default export */ var cap_level_controller = (cap_level_controller_CapLevelController); -// CONCATENATED MODULE: ./src/controller/fps-controller.js - function fps_controller__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } - function fps_controller__possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call && (typeof call === "object" || typeof call === "function") ? call : self; } + Object.defineProperty(exports, "__esModule", { + value: true + }); - function fps_controller__inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; } + var _assign = __webpack_require__(/*! babel-runtime/core-js/object/assign */ "./node_modules/babel-runtime/core-js/object/assign.js"); - /* - * FPS Controller -*/ + var _assign2 = _interopRequireDefault(_assign); + var _keys = __webpack_require__(/*! babel-runtime/core-js/object/keys */ "./node_modules/babel-runtime/core-js/object/keys.js"); + var _keys2 = _interopRequireDefault(_keys); + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); - var fps_controller__window = window, - fps_controller_performance = fps_controller__window.performance; + var _possibleConstructorReturn2 = __webpack_require__(/*! babel-runtime/helpers/possibleConstructorReturn */ "./node_modules/babel-runtime/helpers/possibleConstructorReturn.js"); - var fps_controller_FPSController = function (_EventHandler) { - fps_controller__inherits(FPSController, _EventHandler); + var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); - function FPSController(hls) { - fps_controller__classCallCheck(this, FPSController); + var _createClass2 = __webpack_require__(/*! babel-runtime/helpers/createClass */ "./node_modules/babel-runtime/helpers/createClass.js"); - return fps_controller__possibleConstructorReturn(this, _EventHandler.call(this, hls, events["a" /* default */].MEDIA_ATTACHING)); - } + var _createClass3 = _interopRequireDefault(_createClass2); - FPSController.prototype.destroy = function destroy() { - if (this.timer) { - clearInterval(this.timer); - } + var _inherits2 = __webpack_require__(/*! babel-runtime/helpers/inherits */ "./node_modules/babel-runtime/helpers/inherits.js"); - this.isVideoPlaybackQualityAvailable = false; - }; + var _inherits3 = _interopRequireDefault(_inherits2); - FPSController.prototype.onMediaAttaching = function onMediaAttaching(data) { - var config = this.hls.config; - if (config.capLevelOnFPSDrop) { - var video = this.video = data.media instanceof window.HTMLVideoElement ? data.media : null; - if (typeof video.getVideoPlaybackQuality === 'function') { - this.isVideoPlaybackQualityAvailable = true; - } + var _utils = __webpack_require__(/*! ../base/utils */ "./src/base/utils.js"); - clearInterval(this.timer); - this.timer = setInterval(this.checkFPSInterval.bind(this), config.fpsDroppedMonitoringPeriod); - } - }; + var _base_object = __webpack_require__(/*! ../base/base_object */ "./src/base/base_object.js"); - FPSController.prototype.checkFPS = function checkFPS(video, decodedFrames, droppedFrames) { - var currentTime = fps_controller_performance.now(); - if (decodedFrames) { - if (this.lastTime) { - var currentPeriod = currentTime - this.lastTime, - currentDropped = droppedFrames - this.lastDroppedFrames, - currentDecoded = decodedFrames - this.lastDecodedFrames, - droppedFPS = 1000 * currentDropped / currentPeriod, - hls = this.hls; - hls.trigger(events["a" /* default */].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; - logger["b" /* 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["a" /* default */].FPS_DROP_LEVEL_CAPPING, { level: currentLevel, droppedLevel: hls.currentLevel }); - hls.autoLevelCapping = currentLevel; - hls.streamController.nextLevelSwitch(); - } - } - } - } - this.lastTime = currentTime; - this.lastDroppedFrames = droppedFrames; - this.lastDecodedFrames = decodedFrames; - } - }; + var _base_object2 = _interopRequireDefault(_base_object); - FPSController.prototype.checkFPSInterval = function checkFPSInterval() { - var video = this.video; - if (video) { - if (this.isVideoPlaybackQualityAvailable) { - var videoPlaybackQuality = video.getVideoPlaybackQuality(); - this.checkFPS(video, videoPlaybackQuality.totalVideoFrames, videoPlaybackQuality.droppedVideoFrames); - } else { - this.checkFPS(video, video.webkitDecodedFrameCount, video.webkitDroppedFrameCount); - } - } - }; + var _events = __webpack_require__(/*! ../base/events */ "./src/base/events.js"); - return FPSController; - }(event_handler); + var _events2 = _interopRequireDefault(_events); - /* harmony default export */ var fps_controller = (fps_controller_FPSController); -// CONCATENATED MODULE: ./src/utils/xhr-loader.js - function xhr_loader__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + var _browser = __webpack_require__(/*! ./browser */ "./src/components/browser/index.js"); - /** - * XHR based logger - */ + var _browser2 = _interopRequireDefault(_browser); + var _core_factory = __webpack_require__(/*! ./core_factory */ "./src/components/core_factory/index.js"); + var _core_factory2 = _interopRequireDefault(_core_factory); - var xhr_loader__window = window, - xhr_loader_performance = xhr_loader__window.performance, - XMLHttpRequest = xhr_loader__window.XMLHttpRequest; + var _loader = __webpack_require__(/*! ./loader */ "./src/components/loader/index.js"); - var xhr_loader_XhrLoader = function () { - function XhrLoader(config) { - xhr_loader__classCallCheck(this, XhrLoader); + var _loader2 = _interopRequireDefault(_loader); - if (config && config.xhrSetup) { - this.xhrSetup = config.xhrSetup; - } - } + var _player_info = __webpack_require__(/*! ./player_info */ "./src/components/player_info.js"); - XhrLoader.prototype.destroy = function destroy() { - this.abort(); - this.loader = null; - }; + var _player_info2 = _interopRequireDefault(_player_info); - XhrLoader.prototype.abort = function abort() { - var loader = this.loader; - if (loader && loader.readyState !== 4) { - this.stats.aborted = true; - loader.abort(); - } + var _error_mixin = __webpack_require__(/*! ../base/error_mixin */ "./src/base/error_mixin.js"); - window.clearTimeout(this.requestTimeout); - this.requestTimeout = null; - window.clearTimeout(this.retryTimeout); - this.retryTimeout = null; - }; + var _error_mixin2 = _interopRequireDefault(_error_mixin); - XhrLoader.prototype.load = function load(context, config, callbacks) { - this.context = context; - this.config = config; - this.callbacks = callbacks; - this.stats = { trequest: xhr_loader_performance.now(), retry: 0 }; - this.retryDelay = config.retryDelay; - this.loadInternal(); - }; + var _clapprZepto = __webpack_require__(/*! clappr-zepto */ "./node_modules/clappr-zepto/zepto.js"); - XhrLoader.prototype.loadInternal = function loadInternal() { - var xhr = void 0, - context = this.context; - xhr = this.loader = new XMLHttpRequest(); + var _clapprZepto2 = _interopRequireDefault(_clapprZepto); - var stats = this.stats; - stats.tfirst = 0; - stats.loaded = 0; - var xhrSetup = this.xhrSetup; + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - 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; - } + var baseUrl = (0, _utils.currentScriptUrl)().replace(/\/[^/]+$/, ''); - if (context.rangeEnd) { - xhr.setRequestHeader('Range', 'bytes=' + context.rangeStart + '-' + (context.rangeEnd - 1)); - } + /** + * @class Player + * @constructor + * @extends BaseObject + * @module components + * @example + * ### Using the Player + * + * Add the following script on your HTML: + * ```html + * <head> + * <script type="text/javascript" src="http://cdn.clappr.io/latest/clappr.min.js"></script> + * </head> + * ``` + * Now, create the player: + * ```html + * <body> + * <div id="player"></div> + * <script> + * var player = new Clappr.Player({source: "http://your.video/here.mp4", parentId: "#player"}); + * </script> + * </body> + * ``` + */ +// Copyright 2014 Globo.com Player authors. All rights reserved. +// Use of this source code is governed by a BSD-style +// license that can be found in the LICENSE file. - xhr.onreadystatechange = this.readystatechange.bind(this); - xhr.onprogress = this.loadprogress.bind(this); - xhr.responseType = context.responseType; + var Player = function (_BaseObject) { + (0, _inherits3.default)(Player, _BaseObject); + (0, _createClass3.default)(Player, [{ + key: 'loader', + set: function set(loader) { + this._loader = loader; + }, + get: function get() { + if (!this._loader) this._loader = new _loader2.default(this.options.plugins || {}, this.options.playerId); - // setup timeout before we perform request - this.requestTimeout = window.setTimeout(this.loadtimeout.bind(this), this.config.timeout); - xhr.send(); - }; + return this._loader; + } - XhrLoader.prototype.readystatechange = function readystatechange(event) { - var xhr = event.currentTarget, - readyState = xhr.readyState, - stats = this.stats, - context = this.context, - config = this.config; + /** + * Determine if the playback has ended. + * @property ended + * @type Boolean + */ - // don't proceed if xhr has been aborted - if (stats.aborted) { - return; - } + }, { + key: 'ended', + get: function get() { + return this.core.activeContainer.ended; + } - // >= HEADERS_RECEIVED - if (readyState >= 2) { - // clear xhr timeout and rearm it if readyState less than 4 - window.clearTimeout(this.requestTimeout); - if (stats.tfirst === 0) { - stats.tfirst = Math.max(xhr_loader_performance.now(), stats.trequest); - } + /** + * Determine if the playback is having to buffer in order for + * playback to be smooth. + * (i.e if a live stream is playing smoothly, this will be false) + * @property buffering + * @type Boolean + */ - if (readyState === 4) { - var status = xhr.status; - // http status between 200 to 299 are all successful - if (status >= 200 && status < 300) { - stats.tload = Math.max(stats.tfirst, xhr_loader_performance.now()); - var data = void 0, - len = void 0; - if (context.responseType === 'arraybuffer') { - data = xhr.response; - len = data.byteLength; - } else { - data = xhr.responseText; - len = data.length; - } - stats.loaded = stats.total = len; - 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) { - logger["b" /* logger */].error(status + ' while loading ' + context.url); - this.callbacks.onError({ code: status, text: xhr.statusText }, context, xhr); - } else { - // retry - logger["b" /* logger */].warn(status + ' while loading ' + context.url + ', retrying in ' + this.retryDelay + '...'); - // aborts and resets internal state - this.destroy(); - // schedule retry - this.retryTimeout = window.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 - this.requestTimeout = window.setTimeout(this.loadtimeout.bind(this), config.timeout); - } - } - }; + }, { + key: 'buffering', + get: function get() { + return this.core.activeContainer.buffering; + } - XhrLoader.prototype.loadtimeout = function loadtimeout() { - logger["b" /* logger */].warn('timeout while loading ' + this.context.url); - this.callbacks.onTimeout(this.stats, this.context, null); - }; + /* + * determine if the player is ready. + * @property isReady + * @type {Boolean} `true` if the player is ready. ie PLAYER_READY event has fired + */ - XhrLoader.prototype.loadprogress = function loadprogress(event) { - var xhr = event.currentTarget, - stats = this.stats; + }, { + key: 'isReady', + get: function get() { + return !!this._ready; + } - stats.loaded = event.loaded; - if (event.lengthComputable) { - stats.total = event.total; - } + /** + * An events map that allows the user to add custom callbacks in player's options. + * @property eventsMapping + * @type {Object} + */ - var onProgress = this.callbacks.onProgress; - if (onProgress) { - // third arg is to provide on progress data - onProgress(stats, this.context, null, xhr); - } + }, { + key: 'eventsMapping', + get: function get() { + return { + onReady: _events2.default.PLAYER_READY, + onResize: _events2.default.PLAYER_RESIZE, + onPlay: _events2.default.PLAYER_PLAY, + onPause: _events2.default.PLAYER_PAUSE, + onStop: _events2.default.PLAYER_STOP, + onEnded: _events2.default.PLAYER_ENDED, + onSeek: _events2.default.PLAYER_SEEK, + onError: _events2.default.PLAYER_ERROR, + onTimeUpdate: _events2.default.PLAYER_TIMEUPDATE, + onVolumeUpdate: _events2.default.PLAYER_VOLUMEUPDATE, + onSubtitleAvailable: _events2.default.PLAYER_SUBTITLE_AVAILABLE }; + } - return XhrLoader; - }(); + /** + * @typedef {Object} PlaybackConfig + * @prop {boolean} disableContextMenu + * disables the context menu (right click) on the video element if a HTML5Video playback is used. + * @prop {boolean} preload + * video will be preloaded according to `preload` attribute options **default**: `'metadata'` + * @prop {boolean} controls + * enabled/disables displaying controls + * @prop {boolean} crossOrigin + * enables cross-origin capability for media-resources + * @prop {boolean} playInline + * enables in-line video elements + * @prop {boolean} audioOnly + * enforce audio-only playback (when possible) + * @prop {Object} externalTracks + * pass externaly loaded track to playback + * @prop {Number} [maxBufferLength] + * The default behavior for the **HLS playback** is to keep buffering indefinitely, even on VoD. + * This replicates the behavior for progressive download, which continues buffering when pausing the video, thus making the video available for playback even on slow networks. + * To change this behavior use `maxBufferLength` where **value is in seconds**. + * @prop {Number} [maxBackBufferLength] + * After how much distance of the playhead data should be pruned from the buffer (influences memory consumption + * of adaptive media-engines like Hls.js or Shaka) + * @prop {Number} [minBufferLength] + * After how much data in the buffer at least we attempt to consume it (influences QoS-related behavior + * of adaptive media-engines like Hls.js or Shaka). If this is too low, and the available bandwidth is varying a lot + * and too close to the streamed bitrate, we may continuously hit under-runs. + * @prop {Number} [initialBandwidthEstimate] + * define an initial bandwidth "guess" (or previously stored/established value) for underlying adaptive-bitreate engines + * of adaptive playback implementations, like Hls.js or Shaka + * @prop {Number} [maxAdaptiveBitrate] + * Limits the streamed bitrate (for adaptive media-engines in underlying playback implementations) + * @prop {Object} [maxAdaptiveVideoDimensions] + * Limits the video dimensions in adaptive media-engines. Should be a literal object with `height` and `width`. + * @prop {Boolean}[enableAutomaticABR] **default**: `true` + * Allows to enable/disable automatic bitrate switching in adaptive media-engines + * @prop {String} [preferredTextLanguage] **default**: `'pt-BR'` + * Allows to set a preferred text language, that may be enabled by the media-engine if available. + * @prop {String} [preferredAudioLanguage] **default**: `'pt-BR'` + * Allows to set a preferred audio language, that may be enabled by the media-engine if available. + */ - /* harmony default export */ var xhr_loader = (xhr_loader_XhrLoader); -// CONCATENATED MODULE: ./src/controller/audio-track-controller.js - var audio_track_controller__createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); + /** + * ## Player's constructor + * + * You might pass the options object to build the player. + * ```javascript + * var options = {source: "http://example.com/video.mp4", param1: "val1"}; + * var player = new Clappr.Player(options); + * ``` + * + * @method constructor + * @param {Object} options Data + * options to build a player instance + * @param {Number} [options.width] + * player's width **default**: `640` + * @param {Number} [options.height] + * player's height **default**: `360` + * @param {String} [options.parentId] + * the id of the element on the page that the player should be inserted into + * @param {Object} [options.parent] + * a reference to a dom element that the player should be inserted into + * @param {String} [options.source] + * The media source URL, or {source: <<source URL>>, mimeType: <<source mime type>>} + * @param {Object} [options.sources] + * An array of media source URL's, or an array of {source: <<source URL>>, mimeType: <<source mime type>>} + * @param {Boolean} [options.autoPlay] + * automatically play after page load **default**: `false` + * @param {Boolean} [options.loop] + * automatically replay after it ends **default**: `false` + * @param {Boolean} [options.chromeless] + * player acts in chromeless mode **default**: `false` + * @param {Boolean} [options.allowUserInteraction] + * whether or not the player should handle click events when in chromeless mode **default**: `false` on desktops browsers, `true` on mobile. + * @param {Boolean} [options.disableKeyboardShortcuts] + * disable keyboard shortcuts. **default**: `false`. `true` if `allowUserInteraction` is `false`. + * @param {Boolean} [options.mute] + * start the video muted **default**: `false` + * @param {String} [options.mimeType] + * add `mimeType: "application/vnd.apple.mpegurl"` if you need to use a url without extension. + * @param {Boolean} [options.actualLiveTime] + * show duration and seek time relative to actual time. + * @param {String} [options.actualLiveServerTime] + * specify server time as a string, format: "2015/11/26 06:01:03". This option is meant to be used with actualLiveTime. + * @param {Boolean} [options.persistConfig] + * persist player's settings (volume) through the same domain **default**: `true` + * @param {String} [options.preload] @deprecated + * video will be preloaded according to `preload` attribute options **default**: `'metadata'` + * @param {Number} [options.maxBufferLength] @deprecated + * the default behavior for the **HLS playback** is to keep buffering indefinitely, even on VoD. + * This replicates the behavior for progressive download, which continues buffering when pausing the video, thus making the video available for playback even on slow networks. + * To change this behavior use `maxBufferLength` where **value is in seconds**. + * @param {String} [options.gaAccount] + * enable Google Analytics events dispatch **(play/pause/stop/buffering/etc)** by adding your `gaAccount` + * @param {String} [options.gaTrackerName] + * besides `gaAccount` you can optionally, pass your favorite trackerName as `gaTrackerName` + * @param {Object} [options.mediacontrol] + * customize control bar colors, example: `mediacontrol: {seekbar: "#E113D3", buttons: "#66B2FF"}` + * @param {Boolean} [options.hideMediaControl] + * control media control auto hide **default**: `true` + * @param {Boolean} [options.hideVolumeBar] + * when embedded with width less than 320, volume bar will hide. You can force this behavior for all sizes by adding `true` **default**: `false` + * @param {String} [options.watermark] + * put `watermark: 'http://url/img.png'` on your embed parameters to automatically add watermark on your video. + * You can customize corner position by defining position parameter. Positions can be `bottom-left`, `bottom-right`, `top-left` and `top-right`. + * @param {String} [options.watermarkLink] + * `watermarkLink: 'http://example.net/'` - define URL to open when the watermark is clicked. If not provided watermark will not be clickable. + * @param {Boolean} [options.disableVideoTagContextMenu] @deprecated + * disables the context menu (right click) on the video element if a HTML5Video playback is used. + * @param {Boolean} [options.autoSeekFromUrl] + * Automatically seek to the seconds provided in the url (e.g example.com?t=100) **default**: `true` + * @param {Boolean} [options.exitFullscreenOnEnd] + * Automatically exit full screen when the media finishes. **default**: `true` + * @param {String} [options.poster] + * define a poster by adding its address `poster: 'http://url/img.png'`. It will appear after video embed, disappear on play and go back when user stops the video. + * @param {String} [options.playbackNotSupportedMessage] + * define a custom message to be displayed when a playback is not supported. + * @param {Object} [options.events] + * Specify listeners which will be registered with their corresponding player events. + * E.g. onReady -> "PLAYER_READY", onTimeUpdate -> "PLAYER_TIMEUPDATE" + * @param {PlaybackConfig} [options.playback] + * Generic `Playback` component related configuration + * @param {Boolean} [options.disableErrorScreen] + * disables the error screen plugin. + * @param {Number} [options.autoPlayTimeout] + * autoplay check timeout. + */ - function audio_track_controller__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + }]); - function audio_track_controller__possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call && (typeof call === "object" || typeof call === "function") ? call : self; } + function Player(options) { + (0, _classCallCheck3.default)(this, Player); - function audio_track_controller__inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; } + var _this = (0, _possibleConstructorReturn3.default)(this, _BaseObject.call(this, options)); + var playbackDefaultOptions = { recycleVideo: true }; + var defaultOptions = { + playerId: (0, _utils.uniqueId)(''), + persistConfig: true, + width: 640, + height: 360, + baseUrl: baseUrl, + allowUserInteraction: _browser2.default.isMobile, + playback: playbackDefaultOptions + }; + _this._options = _clapprZepto2.default.extend(defaultOptions, options); + _this.options.sources = _this._normalizeSources(options); + if (!_this.options.chromeless) { + // "allowUserInteraction" cannot be false if not in chromeless mode. + _this.options.allowUserInteraction = true; + } + if (!_this.options.allowUserInteraction) { + // if user iteraction is not allowed ensure keyboard shortcuts are disabled + _this.options.disableKeyboardShortcuts = true; + } + _this._registerOptionEventListeners(_this.options.events); + _this._coreFactory = new _core_factory2.default(_this); + _this.playerInfo = _player_info2.default.getInstance(_this.options.playerId); + _this.playerInfo.currentSize = { width: options.width, height: options.height }; + _this.playerInfo.options = _this.options; + if (_this.options.parentId) _this.setParentId(_this.options.parentId);else if (_this.options.parent) _this.attachTo(_this.options.parent); + return _this; + } + /** + * Specify a `parentId` to the player. + * @method setParentId + * @param {String} parentId the element parent id. + * @return {Player} itself + */ + Player.prototype.setParentId = function setParentId(parentId) { + var el = document.querySelector(parentId); + if (el) this.attachTo(el); - /** - * @class AudioTrackController - * @implements {EventHandler} - * - * Handles main manifest and audio-track metadata loaded, - * owns and exposes the selectable audio-tracks data-models. - * - * Exposes internal interface to select available audio-tracks. - * - * Handles errors on loading audio-track playlists. Manages fallback mechanism - * with redundants tracks (group-IDs). - * - * Handles level-loading and group-ID switches for video (fallback on video levels), - * and eventually adapts the audio-track group-ID to match. - * - * @fires AUDIO_TRACK_LOADING - * @fires AUDIO_TRACK_SWITCHING - * @fires AUDIO_TRACKS_UPDATED - * @fires ERROR - * - */ + return this; + }; - var audio_track_controller_AudioTrackController = function (_TaskLoop) { - audio_track_controller__inherits(AudioTrackController, _TaskLoop); + /** + * You can use this method to attach the player to a given element. You don't need to do this when you specify it during the player instantiation passing the `parentId` param. + * @method attachTo + * @param {Object} element a given element. + * @return {Player} itself + */ - function AudioTrackController(hls) { - audio_track_controller__classCallCheck(this, AudioTrackController); - /** - * @private - * Currently selected index in `tracks` - * @member {number} trackId - */ - var _this = audio_track_controller__possibleConstructorReturn(this, _TaskLoop.call(this, hls, events["a" /* default */].MANIFEST_LOADING, events["a" /* default */].MANIFEST_PARSED, events["a" /* default */].AUDIO_TRACK_LOADED, events["a" /* default */].AUDIO_TRACK_SWITCHED, events["a" /* default */].LEVEL_LOADED, events["a" /* default */].ERROR)); + Player.prototype.attachTo = function attachTo(element) { + this.options.parentElement = element; + this.core = this._coreFactory.create(); + this._addEventListeners(); + return this; + }; - _this._trackId = -1; + Player.prototype._addEventListeners = function _addEventListeners() { + if (!this.core.isReady) this.listenToOnce(this.core, _events2.default.CORE_READY, this._onReady);else this._onReady(); - /** - * @private - * If should select tracks according to default track attribute - * @member {boolean} _selectDefaultTrack - */ - _this._selectDefaultTrack = true; + this.listenTo(this.core, _events2.default.CORE_ACTIVE_CONTAINER_CHANGED, this._containerChanged); + this.listenTo(this.core, _events2.default.CORE_FULLSCREEN, this._onFullscreenChange); + this.listenTo(this.core, _events2.default.CORE_RESIZE, this._onResize); + return this; + }; - /** - * @public - * All tracks available - * @member {AudioTrack[]} - */ - _this.tracks = []; + Player.prototype._addContainerEventListeners = function _addContainerEventListeners() { + var container = this.core.activeContainer; + if (container) { + this.listenTo(container, _events2.default.CONTAINER_PLAY, this._onPlay); + this.listenTo(container, _events2.default.CONTAINER_PAUSE, this._onPause); + this.listenTo(container, _events2.default.CONTAINER_STOP, this._onStop); + this.listenTo(container, _events2.default.CONTAINER_ENDED, this._onEnded); + this.listenTo(container, _events2.default.CONTAINER_SEEK, this._onSeek); + this.listenTo(container, _events2.default.CONTAINER_ERROR, this._onError); + this.listenTo(container, _events2.default.CONTAINER_TIMEUPDATE, this._onTimeUpdate); + this.listenTo(container, _events2.default.CONTAINER_VOLUME, this._onVolumeUpdate); + this.listenTo(container, _events2.default.CONTAINER_SUBTITLE_AVAILABLE, this._onSubtitleAvailable); + } + return this; + }; - /** - * @public - * List of blacklisted audio track IDs (that have caused failure) - * @member {number[]} - */ - _this.trackIdBlacklist = Object.create(null); + Player.prototype._registerOptionEventListeners = function _registerOptionEventListeners() { + var _this2 = this; - /** - * @public - * The currently running group ID for audio - * (we grab this on manifest-parsed and new level-loaded) - * @member {string} - */ - _this.audioGroupId = null; - return _this; - } + var newEvents = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {}; + var events = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {}; - /** - * Reset audio tracks on new manifest loading. - */ + var hasNewEvents = (0, _keys2.default)(newEvents).length > 0; + hasNewEvents && (0, _keys2.default)(events).forEach(function (userEvent) { + var eventType = _this2.eventsMapping[userEvent]; + eventType && _this2.off(eventType, events[userEvent]); + }); + (0, _keys2.default)(newEvents).forEach(function (userEvent) { + var eventType = _this2.eventsMapping[userEvent]; + if (eventType) { + var eventFunction = newEvents[userEvent]; + eventFunction = typeof eventFunction === 'function' && eventFunction; + eventFunction && _this2.on(eventType, eventFunction); + } + }); + return this; + }; - AudioTrackController.prototype.onManifestLoading = function onManifestLoading() { - this.tracks = []; - this._trackId = -1; - this._selectDefaultTrack = true; - }; + Player.prototype._containerChanged = function _containerChanged() { + this.stopListening(); + this._addEventListeners(); + }; - /** - * Store tracks data from manifest parsed data. - * - * Trigger AUDIO_TRACKS_UPDATED event. - * - * @param {*} data - */ + Player.prototype._onReady = function _onReady() { + this._ready = true; + this._addContainerEventListeners(); + this.trigger(_events2.default.PLAYER_READY); + }; + Player.prototype._onFullscreenChange = function _onFullscreenChange(fullscreen) { + this.trigger(_events2.default.PLAYER_FULLSCREEN, fullscreen); + }; - AudioTrackController.prototype.onManifestParsed = function onManifestParsed(data) { - var tracks = this.tracks = data.audioTracks || []; - this.hls.trigger(events["a" /* default */].AUDIO_TRACKS_UPDATED, { audioTracks: tracks }); - }; + Player.prototype._onVolumeUpdate = function _onVolumeUpdate(volume) { + this.trigger(_events2.default.PLAYER_VOLUMEUPDATE, volume); + }; - /** - * Store track details of loaded track in our data-model. - * - * Set-up metadata update interval task for live-mode streams. - * - * @param {} data - */ + Player.prototype._onSubtitleAvailable = function _onSubtitleAvailable() { + this.trigger(_events2.default.PLAYER_SUBTITLE_AVAILABLE); + }; + Player.prototype._onResize = function _onResize(size) { + this.trigger(_events2.default.PLAYER_RESIZE, size); + }; - AudioTrackController.prototype.onAudioTrackLoaded = function onAudioTrackLoaded(data) { - if (data.id >= this.tracks.length) { - logger["b" /* logger */].warn('Invalid audio track id:', data.id); - return; - } + Player.prototype._onPlay = function _onPlay() { + this.trigger(_events2.default.PLAYER_PLAY); + }; - logger["b" /* logger */].log('audioTrack ' + data.id + ' loaded'); + Player.prototype._onPause = function _onPause() { + this.trigger(_events2.default.PLAYER_PAUSE); + }; - this.tracks[data.id].details = data.details; + Player.prototype._onStop = function _onStop() { + this.trigger(_events2.default.PLAYER_STOP, this.getCurrentTime()); + }; - // check if current playlist is a live playlist - // and if we have already our reload interval setup - if (data.details.live && !this.hasInterval()) { - // if live playlist we will have to reload it periodically - // set reload period to playlist target duration - var updatePeriodMs = data.details.targetduration * 1000; - this.setInterval(updatePeriodMs); - } + Player.prototype._onEnded = function _onEnded() { + this.trigger(_events2.default.PLAYER_ENDED); + }; - if (!data.details.live && this.hasInterval()) { - // playlist is not live and timer is scheduled: cancel it - this.clearInterval(); - } - }; + Player.prototype._onSeek = function _onSeek(time) { + this.trigger(_events2.default.PLAYER_SEEK, time); + }; - /** - * Update the internal group ID to any audio-track we may have set manually - * or because of a failure-handling fallback. - * - * Quality-levels should update to that group ID in this case. - * - * @param {*} data - */ + Player.prototype._onTimeUpdate = function _onTimeUpdate(timeProgress) { + this.trigger(_events2.default.PLAYER_TIMEUPDATE, timeProgress); + }; + Player.prototype._onError = function _onError(error) { + this.trigger(_events2.default.PLAYER_ERROR, error); + }; - AudioTrackController.prototype.onAudioTrackSwitched = function onAudioTrackSwitched(data) { - var audioGroupId = this.tracks[data.id].groupId; - if (audioGroupId && this.audioGroupId !== audioGroupId) { - this.audioGroupId = audioGroupId; - } - }; + Player.prototype._normalizeSources = function _normalizeSources(options) { + var sources = options.sources || (options.source !== undefined ? [options.source] : []); + return sources.length === 0 ? [{ source: '', mimeType: '' }] : sources; + }; - /** - * When a level gets loaded, if it has redundant audioGroupIds (in the same ordinality as it's redundant URLs) - * we are setting our audio-group ID internally to the one set, if it is different from the group ID currently set. - * - * If group-ID got update, we re-select the appropriate audio-track with this group-ID matching the currently - * selected one (based on NAME property). - * - * @param {*} data - */ + /** + * resizes the current player canvas. + * @method resize + * @param {Object} size should be a literal object with `height` and `width`. + * @return {Player} itself + * @example + * ```javascript + * player.resize({height: 360, width: 640}) + * ``` + */ - AudioTrackController.prototype.onLevelLoaded = function onLevelLoaded(data) { - // FIXME: crashes because currentLevel is undefined - // const levelInfo = this.hls.levels[this.hls.currentLevel]; + Player.prototype.resize = function resize(size) { + this.core.resize(size); + return this; + }; - var levelInfo = this.hls.levels[data.level]; + /** + * loads a new source. + * @method load + * @param {Array|String} sources source or sources of video. + * An array item can be a string or {source: <<source URL>>, mimeType: <<source mime type>>} + * @param {String} mimeType a mime type, example: `'application/vnd.apple.mpegurl'` + * @param {Boolean} [autoPlay=false] whether playing should be started immediately + * @return {Player} itself + */ - if (!levelInfo.audioGroupIds) { - return; - } - var audioGroupId = levelInfo.audioGroupIds[levelInfo.urlId]; - if (this.audioGroupId !== audioGroupId) { - this.audioGroupId = audioGroupId; - this._selectInitialAudioTrack(); - } - }; + Player.prototype.load = function load(sources, mimeType, autoPlay) { + if (autoPlay !== undefined) this.configure({ autoPlay: !!autoPlay }); - /** - * Handle network errors loading audio track manifests - * and also pausing on any netwok errors. - * - * @param {ErrorEventData} data - */ + this.core.load(sources, mimeType); + return this; + }; + /** + * destroys the current player and removes it from the DOM. + * @method destroy + * @return {Player} itself + */ - AudioTrackController.prototype.onError = function onError(data) { - // Only handle network errors - if (data.type !== errors["b" /* ErrorTypes */].NETWORK_ERROR) { - return; - } - // If fatal network error, cancel update task - if (data.fatal) { - this.clearInterval(); - } + Player.prototype.destroy = function destroy() { + this.stopListening(); + this.core.destroy(); + return this; + }; - // If not an audio-track loading error don't handle further - if (data.details !== errors["a" /* ErrorDetails */].AUDIO_TRACK_LOAD_ERROR) { - return; - } + /** + * Gives user consent to playback. Required by mobile device after a click event before Player.load(). + * @method consent + * @return {Player} itself + */ - logger["b" /* logger */].warn('Network failure on audio-track id:', data.context.id); - this._handleLoadError(); - }; - /** - * @type {AudioTrack[]} Audio-track list we own - */ + Player.prototype.consent = function consent() { + this.core.getCurrentPlayback().consent(); + return this; + }; + /** + * plays the current video (`source`). + * @method play + * @return {Player} itself + */ - /** - * @private - * @param {number} newId - */ - AudioTrackController.prototype._setAudioTrack = function _setAudioTrack(newId) { - // noop on same audio track id as already set - if (this._trackId === newId && this.tracks[this._trackId].details) { - logger["b" /* logger */].debug('Same id as current audio-track passed, and track details available -> no-op'); - return; - } - // check if level idx is valid - if (newId < 0 || newId >= this.tracks.length) { - logger["b" /* logger */].warn('Invalid id passed to audio-track controller'); - return; - } + Player.prototype.play = function play() { + this.core.activeContainer.play(); + return this; + }; - var audioTrack = this.tracks[newId]; + /** + * pauses the current video (`source`). + * @method pause + * @return {Player} itself + */ - logger["b" /* logger */].log('Now switching to audio-track index ' + newId); - // stopping live reloading timer if any - this.clearInterval(); - this._trackId = newId; + Player.prototype.pause = function pause() { + this.core.activeContainer.pause(); + return this; + }; - var url = audioTrack.url, - type = audioTrack.type, - id = audioTrack.id; + /** + * stops the current video (`source`). + * @method stop + * @return {Player} itself + */ - this.hls.trigger(events["a" /* default */].AUDIO_TRACK_SWITCHING, { id: id, type: type, url: url }); - this._loadTrackDetailsIfNeeded(audioTrack); - }; - /** - * @override - */ + Player.prototype.stop = function stop() { + this.core.activeContainer.stop(); + return this; + }; + /** + * seeks the current video (`source`). For example, `player.seek(120)` will seek to second 120 (2minutes) of the current video. + * @method seek + * @param {Number} time should be a number between 0 and the video duration. + * @return {Player} itself + */ - AudioTrackController.prototype.doTick = function doTick() { - this._updateTrack(this._trackId); - }; - /** - * Select initial track - * @private - */ + Player.prototype.seek = function seek(time) { + this.core.activeContainer.seek(time); + return this; + }; + /** + * seeks the current video (`source`). For example, `player.seek(50)` will seek to the middle of the current video. + * @method seekPercentage + * @param {Number} time should be a number between 0 and 100. + * @return {Player} itself + */ - AudioTrackController.prototype._selectInitialAudioTrack = function _selectInitialAudioTrack() { - var _this2 = this; - var tracks = this.tracks; - if (!tracks.length) { - return; - } + Player.prototype.seekPercentage = function seekPercentage(percentage) { + this.core.activeContainer.seekPercentage(percentage); + return this; + }; - var currentAudioTrack = this.tracks[this._trackId]; + /** + * mutes the current video (`source`). + * @method mute + * @return {Player} itself + */ - var name = null; - if (currentAudioTrack) { - name = currentAudioTrack.name; - } - // Pre-select default tracks if there are any - if (this._selectDefaultTrack) { - var defaultTracks = tracks.filter(function (track) { - return track.default; - }); - if (defaultTracks.length) { - tracks = defaultTracks; - } else { - logger["b" /* logger */].warn('No default audio tracks defined'); - } - } + Player.prototype.mute = function mute() { + this._mutedVolume = this.getVolume(); + this.setVolume(0); + return this; + }; - var trackFound = false; + /** + * unmutes the current video (`source`). + * @method unmute + * @return {Player} itself + */ - var traverseTracks = function traverseTracks() { - // Select track with right group ID - tracks.forEach(function (track) { - if (trackFound) { - return; - } - // We need to match the (pre-)selected group ID - // and the NAME of the current track. - if ((!_this2.audioGroupId || track.groupId === _this2.audioGroupId) && (!name || name === track.name)) { - // If there was a previous track try to stay with the same `NAME`. - // It should be unique across tracks of same group, and consistent through redundant track groups. - _this2._setAudioTrack(track.id); - trackFound = true; - } - }); - }; - traverseTracks(); + Player.prototype.unmute = function unmute() { + this.setVolume(typeof this._mutedVolume === 'number' ? this._mutedVolume : 100); + this._mutedVolume = null; + return this; + }; - if (!trackFound) { - name = null; - traverseTracks(); - } + /** + * checks if the player is playing. + * @method isPlaying + * @return {Boolean} `true` if the current source is playing, otherwise `false` + */ - if (!trackFound) { - logger["b" /* logger */].error('No track found for running audio group-ID: ' + this.audioGroupId); - this.hls.trigger(events["a" /* default */].ERROR, { - type: errors["b" /* ErrorTypes */].MEDIA_ERROR, - details: errors["a" /* ErrorDetails */].AUDIO_TRACK_LOAD_ERROR, - fatal: true - }); - } - }; + Player.prototype.isPlaying = function isPlaying() { + return this.core.activeContainer.isPlaying(); + }; - /** - * @private - * @param {AudioTrack} audioTrack - * @returns {boolean} - */ + /** + * returns `true` if DVR is enable otherwise `false`. + * @method isDvrEnabled + * @return {Boolean} + */ - AudioTrackController.prototype._needsTrackLoading = function _needsTrackLoading(audioTrack) { - var details = audioTrack.details; + Player.prototype.isDvrEnabled = function isDvrEnabled() { + return this.core.activeContainer.isDvrEnabled(); + }; + /** + * returns `true` if DVR is in use otherwise `false`. + * @method isDvrInUse + * @return {Boolean} + */ - if (!details) { - return true; - } else if (details.live) { - return true; - } - }; - /** - * @private - * @param {AudioTrack} audioTrack - */ + Player.prototype.isDvrInUse = function isDvrInUse() { + return this.core.activeContainer.isDvrInUse(); + }; + /** + * enables to configure a player after its creation + * @method configure + * @param {Object} options all the options to change in form of a javascript object + * @return {Player} itself + */ - AudioTrackController.prototype._loadTrackDetailsIfNeeded = function _loadTrackDetailsIfNeeded(audioTrack) { - if (this._needsTrackLoading(audioTrack)) { - var url = audioTrack.url, - id = audioTrack.id; - // track not retrieved yet, or live playlist we need to (re)load it - logger["b" /* logger */].log('loading audio-track playlist for id: ' + id); - this.hls.trigger(events["a" /* default */].AUDIO_TRACK_LOADING, { url: url, id: id }); - } - }; + Player.prototype.configure = function configure() { + var options = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {}; - /** - * @private - * @param {number} newId - */ + this._registerOptionEventListeners(options.events, this.options.events); + this.core.configure(options); + return this; + }; + /** + * get a plugin by its name. + * @method getPlugin + * @param {String} name of the plugin. + * @return {Object} the plugin instance + * @example + * ```javascript + * var poster = player.getPlugin('poster'); + * poster.hidePlayButton(); + * ``` + */ - AudioTrackController.prototype._updateTrack = function _updateTrack(newId) { - // check if level idx is valid - if (newId < 0 || newId >= this.tracks.length) { - return; - } - // stopping live reloading timer if any - this.clearInterval(); - this._trackId = newId; - logger["b" /* logger */].log('trying to update audio-track ' + newId); - var audioTrack = this.tracks[newId]; - this._loadTrackDetailsIfNeeded(audioTrack); - }; + Player.prototype.getPlugin = function getPlugin(name) { + var plugins = this.core.plugins.concat(this.core.activeContainer.plugins); + return plugins.filter(function (plugin) { + return plugin.name === name; + })[0]; + }; - /** - * @private - */ + /** + * the current time in seconds. + * @method getCurrentTime + * @return {Number} current time (in seconds) of the current source + */ - AudioTrackController.prototype._handleLoadError = function _handleLoadError() { - // First, let's black list current track id - this.trackIdBlacklist[this._trackId] = true; + Player.prototype.getCurrentTime = function getCurrentTime() { + return this.core.activeContainer.getCurrentTime(); + }; - // Let's try to fall back on a functional audio-track with the same group ID - var previousId = this._trackId; - var _tracks$previousId = this.tracks[previousId], - name = _tracks$previousId.name, - language = _tracks$previousId.language, - groupId = _tracks$previousId.groupId; + /** + * The time that "0" now represents relative to when playback started. + * For a stream with a sliding window this will increase as content is + * removed from the beginning. + * @method getStartTimeOffset + * @return {Number} time (in seconds) that time "0" represents. + */ - logger["b" /* logger */].warn('Loading failed on audio track id: ' + previousId + ', group-id: ' + groupId + ', name/language: "' + name + '" / "' + language + '"'); + Player.prototype.getStartTimeOffset = function getStartTimeOffset() { + return this.core.activeContainer.getStartTimeOffset(); + }; - // Find a non-blacklisted track ID with the same NAME - // At least a track that is not blacklisted, thus on another group-ID. - var newId = previousId; - for (var i = 0; i < this.tracks.length; i++) { - if (this.trackIdBlacklist[i]) { - continue; - } - var newTrack = this.tracks[i]; - if (newTrack.name === name) { - newId = i; - break; - } - } + /** + * the duration time in seconds. + * @method getDuration + * @return {Number} duration time (in seconds) of the current source + */ - if (newId === previousId) { - logger["b" /* logger */].warn('No fallback audio-track found for name/language: "' + name + '" / "' + language + '"'); - return; - } - logger["b" /* logger */].log('Attempting audio-track fallback id:', newId, 'group-id:', this.tracks[newId].groupId); + Player.prototype.getDuration = function getDuration() { + return this.core.activeContainer.getDuration(); + }; - this._setAudioTrack(newId); - }; + return Player; + }(_base_object2.default); - audio_track_controller__createClass(AudioTrackController, [{ - key: 'audioTracks', - get: function get() { - return this.tracks; - } + exports.default = Player; - /** - * @type {number} Index into audio-tracks list of currently selected track. - */ - }, { - key: 'audioTrack', - get: function get() { - return this._trackId; - } + (0, _assign2.default)(Player.prototype, _error_mixin2.default); + module.exports = exports['default']; - /** - * Select current track by index - */ - , - set: function set(newId) { - this._setAudioTrack(newId); - // If audio track is selected from API then don't choose from the manifest default track - this._selectDefaultTrack = false; - } - }]); + /***/ }), - return AudioTrackController; - }(task_loop); + /***/ "./src/components/player_info.js": + /*!***************************************!*\ + !*** ./src/components/player_info.js ***! + \***************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - /* harmony default export */ var audio_track_controller = (audio_track_controller_AudioTrackController); -// CONCATENATED MODULE: ./src/controller/audio-stream-controller.js + "use strict"; - var audio_stream_controller__createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); + Object.defineProperty(exports, "__esModule", { + value: true + }); - function audio_stream_controller__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); - function audio_stream_controller__possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call && (typeof call === "object" || typeof call === "function") ? call : self; } + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); - function audio_stream_controller__inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; } + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - /* - * Audio Stream Controller -*/ +// Copyright 2014 Globo.com Player authors. All rights reserved. +// Use of this source code is governed by a BSD-style +// license that can be found in the LICENSE file. + var PlayerInfo = function PlayerInfo() { + (0, _classCallCheck3.default)(this, PlayerInfo); + this.options = {}; + this.playbackPlugins = []; + this.currentSize = { width: 0, height: 0 }; + }; + PlayerInfo._players = {}; + PlayerInfo.getInstance = function (playerId) { + return PlayerInfo._players[playerId] || (PlayerInfo._players[playerId] = new PlayerInfo()); + }; + exports.default = PlayerInfo; + module.exports = exports["default"]; + /***/ }), + /***/ "./src/icons/01-play.svg": + /*!*******************************!*\ + !*** ./src/icons/01-play.svg ***! + \*******************************/ + /*! no static exports found */ + /***/ (function(module, exports) { + module.exports = "<svg xmlns=\"http://www.w3.org/2000/svg\" viewBox=\"0 0 16 16\"><path fill=\"#010101\" d=\"M1.425.35L14.575 8l-13.15 7.65V.35z\"></path></svg>" + /***/ }), + /***/ "./src/icons/02-pause.svg": + /*!********************************!*\ + !*** ./src/icons/02-pause.svg ***! + \********************************/ + /*! no static exports found */ + /***/ (function(module, exports) { + module.exports = "<svg xmlns=\"http://www.w3.org/2000/svg\" viewBox=\"0 0 16 16\"><path fill-rule=\"evenodd\" clip-rule=\"evenodd\" fill=\"#010101\" d=\"M1.712 14.76H6.43V1.24H1.71v13.52zm7.86-13.52v13.52h4.716V1.24H9.573z\"></path></svg>" + /***/ }), + /***/ "./src/icons/03-stop.svg": + /*!*******************************!*\ + !*** ./src/icons/03-stop.svg ***! + \*******************************/ + /*! no static exports found */ + /***/ (function(module, exports) { - var audio_stream_controller__window = window, - audio_stream_controller_performance = audio_stream_controller__window.performance; + module.exports = "<svg xmlns=\"http://www.w3.org/2000/svg\" viewBox=\"0 0 16 16\"><path fill-rule=\"evenodd\" clip-rule=\"evenodd\" fill=\"#010101\" d=\"M1.712 1.24h12.6v13.52h-12.6z\"></path></svg>" + /***/ }), - var audio_stream_controller_State = { - STOPPED: 'STOPPED', - STARTING: 'STARTING', - IDLE: 'IDLE', - PAUSED: 'PAUSED', - KEY_LOADING: 'KEY_LOADING', - FRAG_LOADING: 'FRAG_LOADING', - FRAG_LOADING_WAITING_RETRY: 'FRAG_LOADING_WAITING_RETRY', - WAITING_TRACK: 'WAITING_TRACK', - PARSING: 'PARSING', - PARSED: 'PARSED', - BUFFER_FLUSHING: 'BUFFER_FLUSHING', - ENDED: 'ENDED', - ERROR: 'ERROR', - WAITING_INIT_PTS: 'WAITING_INIT_PTS' - }; + /***/ "./src/icons/04-volume.svg": + /*!*********************************!*\ + !*** ./src/icons/04-volume.svg ***! + \*********************************/ + /*! no static exports found */ + /***/ (function(module, exports) { - var audio_stream_controller_AudioStreamController = function (_TaskLoop) { - audio_stream_controller__inherits(AudioStreamController, _TaskLoop); + module.exports = "<svg xmlns=\"http://www.w3.org/2000/svg\" viewBox=\"0 0 16 16\"><path fill-rule=\"evenodd\" clip-rule=\"evenodd\" fill=\"#010101\" d=\"M11.5 11h-.002v1.502L7.798 10H4.5V6h3.297l3.7-2.502V4.5h.003V11zM11 4.49L7.953 6.5H5v3h2.953L11 11.51V4.49z\"></path></svg>" - function AudioStreamController(hls, fragmentTracker) { - audio_stream_controller__classCallCheck(this, AudioStreamController); + /***/ }), - var _this = audio_stream_controller__possibleConstructorReturn(this, _TaskLoop.call(this, hls, events["a" /* default */].MEDIA_ATTACHED, events["a" /* default */].MEDIA_DETACHING, events["a" /* default */].AUDIO_TRACKS_UPDATED, events["a" /* default */].AUDIO_TRACK_SWITCHING, events["a" /* default */].AUDIO_TRACK_LOADED, events["a" /* default */].KEY_LOADED, events["a" /* default */].FRAG_LOADED, events["a" /* default */].FRAG_PARSING_INIT_SEGMENT, events["a" /* default */].FRAG_PARSING_DATA, events["a" /* default */].FRAG_PARSED, events["a" /* default */].ERROR, events["a" /* default */].BUFFER_RESET, events["a" /* default */].BUFFER_CREATED, events["a" /* default */].BUFFER_APPENDED, events["a" /* default */].BUFFER_FLUSHED, events["a" /* default */].INIT_PTS_FOUND)); + /***/ "./src/icons/05-mute.svg": + /*!*******************************!*\ + !*** ./src/icons/05-mute.svg ***! + \*******************************/ + /*! no static exports found */ + /***/ (function(module, exports) { - _this.fragmentTracker = fragmentTracker; - _this.config = hls.config; - _this.audioCodecSwap = false; - _this._state = audio_stream_controller_State.STOPPED; - _this.initPTS = []; - _this.waitingFragment = null; - _this.videoTrackCC = null; - return _this; - } + module.exports = "<svg xmlns=\"http://www.w3.org/2000/svg\" viewBox=\"0 0 16 16\"><path fill-rule=\"evenodd\" clip-rule=\"evenodd\" fill=\"#010101\" d=\"M9.75 11.51L6.7 9.5H3.75v-3H6.7L9.75 4.49v.664l.497.498V3.498L6.547 6H3.248v4h3.296l3.7 2.502v-2.154l-.497.5v.662zm3-5.165L12.404 6l-1.655 1.653L9.093 6l-.346.345L10.402 8 8.747 9.654l.346.347 1.655-1.653L12.403 10l.348-.346L11.097 8l1.655-1.655z\"></path></svg>" - AudioStreamController.prototype.onHandlerDestroying = function onHandlerDestroying() { - this.stopLoad(); - _TaskLoop.prototype.onHandlerDestroying.call(this); - }; + /***/ }), - AudioStreamController.prototype.onHandlerDestroyed = function onHandlerDestroyed() { - this.state = audio_stream_controller_State.STOPPED; - this.fragmentTracker = null; - _TaskLoop.prototype.onHandlerDestroyed.call(this); - }; + /***/ "./src/icons/06-expand.svg": + /*!*********************************!*\ + !*** ./src/icons/06-expand.svg ***! + \*********************************/ + /*! no static exports found */ + /***/ (function(module, exports) { - // Signal that video PTS was found + module.exports = "<svg xmlns=\"http://www.w3.org/2000/svg\" viewBox=\"0 0 16 16\"><path fill=\"#010101\" d=\"M7.156 8L4 11.156V8.5H3V13h4.5v-1H4.844L8 8.844 7.156 8zM8.5 3v1h2.657L8 7.157 8.846 8 12 4.844V7.5h1V3H8.5z\"></path></svg>" + /***/ }), - AudioStreamController.prototype.onInitPtsFound = function onInitPtsFound(data) { - var demuxerId = data.id, - cc = data.frag.cc, - initPTS = data.initPTS; - if (demuxerId === 'main') { - // Always update the new INIT PTS - // Can change due level switch - this.initPTS[cc] = initPTS; - this.videoTrackCC = cc; - logger["b" /* logger */].log('InitPTS for cc: ' + cc + ' found from video track: ' + initPTS); + /***/ "./src/icons/07-shrink.svg": + /*!*********************************!*\ + !*** ./src/icons/07-shrink.svg ***! + \*********************************/ + /*! no static exports found */ + /***/ (function(module, exports) { - // If we are waiting we need to demux/remux the waiting frag - // With the new initPTS - if (this.state === audio_stream_controller_State.WAITING_INIT_PTS) { - this.tick(); - } - } - }; + module.exports = "<svg xmlns=\"http://www.w3.org/2000/svg\" viewBox=\"0 0 16 16\"><path fill=\"#010101\" d=\"M13.5 3.344l-.844-.844L9.5 5.656V3h-1v4.5H13v-1h-2.656L13.5 3.344zM3 9.5h2.656L2.5 12.656l.844.844L6.5 10.344V13h1V8.5H3v1z\"></path></svg>" - AudioStreamController.prototype.startLoad = function startLoad(startPosition) { - if (this.tracks) { - var lastCurrentTime = this.lastCurrentTime; - this.stopLoad(); - this.setInterval(100); - this.fragLoadError = 0; - if (lastCurrentTime > 0 && startPosition === -1) { - logger["b" /* logger */].log('audio:override startPosition with lastCurrentTime @' + lastCurrentTime.toFixed(3)); - this.state = audio_stream_controller_State.IDLE; - } else { - this.lastCurrentTime = this.startPosition ? this.startPosition : startPosition; - this.state = audio_stream_controller_State.STARTING; - } - this.nextLoadPosition = this.startPosition = this.lastCurrentTime; - this.tick(); - } else { - this.startPosition = startPosition; - this.state = audio_stream_controller_State.STOPPED; - } - }; + /***/ }), - AudioStreamController.prototype.stopLoad = function stopLoad() { - var frag = this.fragCurrent; - if (frag) { - if (frag.loader) { - frag.loader.abort(); - } + /***/ "./src/icons/08-hd.svg": + /*!*****************************!*\ + !*** ./src/icons/08-hd.svg ***! + \*****************************/ + /*! no static exports found */ + /***/ (function(module, exports) { - this.fragmentTracker.removeFragment(frag); - this.fragCurrent = null; - } - this.fragPrevious = null; - if (this.demuxer) { - this.demuxer.destroy(); - this.demuxer = null; - } - this.state = audio_stream_controller_State.STOPPED; - }; + module.exports = "<svg xmlns=\"http://www.w3.org/2000/svg\" viewBox=\"0 0 16 16\"><path fill=\"#010101\" d=\"M5.375 7.062H2.637V4.26H.502v7.488h2.135V8.9h2.738v2.848h2.133V4.26H5.375v2.802zm5.97-2.81h-2.84v7.496h2.798c2.65 0 4.195-1.607 4.195-3.77v-.022c0-2.162-1.523-3.704-4.154-3.704zm2.06 3.758c0 1.21-.81 1.896-2.03 1.896h-.83V6.093h.83c1.22 0 2.03.696 2.03 1.896v.02z\"></path></svg>" - AudioStreamController.prototype.doTick = function doTick() { - var pos = void 0, - track = void 0, - trackDetails = void 0, - hls = this.hls, - config = hls.config; - // logger.log('audioStream:' + this.state); - switch (this.state) { - case audio_stream_controller_State.ERROR: - // don't do anything in error state to avoid breaking further ... - case audio_stream_controller_State.PAUSED: - // don't do anything in paused state either ... - case audio_stream_controller_State.BUFFER_FLUSHING: - break; - case audio_stream_controller_State.STARTING: - this.state = audio_stream_controller_State.WAITING_TRACK; - this.loadedmetadata = false; - break; - case audio_stream_controller_State.IDLE: - var tracks = this.tracks; - // audio tracks not received => exit loop - if (!tracks) { - break; - } + /***/ }), - // if video not attached AND - // start fragment already requested OR start frag prefetch disable - // exit loop - // => if media not attached but start frag prefetch is enabled and start frag not requested yet, we will not exit loop - if (!this.media && (this.startFragRequested || !config.startFragPrefetch)) { - break; - } + /***/ "./src/icons/09-cc.svg": + /*!*****************************!*\ + !*** ./src/icons/09-cc.svg ***! + \*****************************/ + /*! no static exports found */ + /***/ (function(module, exports) { - // determine next candidate fragment to be loaded, based on current position and - // end of buffer position - // if we have not yet loaded any fragment, start loading from start position - if (this.loadedmetadata) { - pos = this.media.currentTime; - } else { - pos = this.nextLoadPosition; - if (pos === undefined) { - break; - } - } - var media = this.mediaBuffer ? this.mediaBuffer : this.media, - videoBuffer = this.videoBuffer ? this.videoBuffer : this.media, - bufferInfo = BufferHelper.bufferInfo(media, pos, config.maxBufferHole), - mainBufferInfo = BufferHelper.bufferInfo(videoBuffer, pos, config.maxBufferHole), - bufferLen = bufferInfo.len, - bufferEnd = bufferInfo.end, - fragPrevious = this.fragPrevious, - - // ensure we buffer at least config.maxBufferLength (default 30s) or config.maxMaxBufferLength (default: 600s) - // whichever is smaller. - // once we reach that threshold, don't buffer more than video (mainBufferInfo.len) - maxConfigBuffer = Math.min(config.maxBufferLength, config.maxMaxBufferLength), - maxBufLen = Math.max(maxConfigBuffer, mainBufferInfo.len), - audioSwitch = this.audioSwitch, - trackId = this.trackId; - - // if buffer length is less than maxBufLen try to load a new fragment - if ((bufferLen < maxBufLen || audioSwitch) && trackId < tracks.length) { - trackDetails = tracks[trackId].details; - // if track info not retrieved yet, switch state and wait for track retrieval - if (typeof trackDetails === 'undefined') { - this.state = audio_stream_controller_State.WAITING_TRACK; - break; - } + module.exports = "<svg version=\"1.1\" id=\"Layer_1\" xmlns=\"http://www.w3.org/2000/svg\" xmlns:xlink=\"http://www.w3.org/1999/xlink\" x=\"0px\" y=\"0px\" viewBox=\"0 0 49 41.8\" style=\"enable-background:new 0 0 49 41.8;\" xml:space=\"preserve\"><path d=\"M47.1,0H3.2C1.6,0,0,1.2,0,2.8v31.5C0,35.9,1.6,37,3.2,37h11.9l3.2,1.9l4.7,2.7c0.9,0.5,2-0.1,2-1.1V37h22.1 c1.6,0,1.9-1.1,1.9-2.7V2.8C49,1.2,48.7,0,47.1,0z M7.2,18.6c0-4.8,3.5-9.3,9.9-9.3c4.8,0,7.1,2.7,7.1,2.7l-2.5,4 c0,0-1.7-1.7-4.2-1.7c-2.8,0-4.3,2.1-4.3,4.3c0,2.1,1.5,4.4,4.5,4.4c2.5,0,4.9-2.1,4.9-2.1l2.2,4.2c0,0-2.7,2.9-7.6,2.9 C10.8,27.9,7.2,23.5,7.2,18.6z M36.9,27.9c-6.4,0-9.9-4.4-9.9-9.3c0-4.8,3.5-9.3,9.9-9.3C41.7,9.3,44,12,44,12l-2.5,4 c0,0-1.7-1.7-4.2-1.7c-2.8,0-4.3,2.1-4.3,4.3c0,2.1,1.5,4.4,4.5,4.4c2.5,0,4.9-2.1,4.9-2.1l2.2,4.2C44.5,25,41.9,27.9,36.9,27.9z\"></path></svg>" - // check if we need to finalize media stream - // 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 (!audioSwitch && !trackDetails.live && fragPrevious && fragPrevious.sn === trackDetails.endSN && !bufferInfo.nextStart) { - // if we are not seeking or if we are seeking but everything (almost) til the end is buffered, let's signal eos - // we don't compare exactly media.duration === bufferInfo.end as there could be some subtle media duration difference when switching - // between different renditions. using half frag duration should help cope with these cases. - if (!this.media.seeking || this.media.duration - bufferEnd < fragPrevious.duration / 2) { - // Finalize the media stream - this.hls.trigger(events["a" /* default */].BUFFER_EOS, { type: 'audio' }); - this.state = audio_stream_controller_State.ENDED; - break; - } - } + /***/ }), - // find fragment index, contiguous with end of buffer position - var fragments = trackDetails.fragments, - fragLen = fragments.length, - start = fragments[0].start, - end = fragments[fragLen - 1].start + fragments[fragLen - 1].duration, - frag = void 0; + /***/ "./src/icons/10-reload.svg": + /*!*********************************!*\ + !*** ./src/icons/10-reload.svg ***! + \*********************************/ + /*! no static exports found */ + /***/ (function(module, exports) { - // When switching audio track, reload audio as close as possible to currentTime - if (audioSwitch) { - if (trackDetails.live && !trackDetails.PTSKnown) { - logger["b" /* logger */].log('switching audiotrack, live stream, unknown PTS,load first fragment'); - bufferEnd = 0; - } else { - bufferEnd = pos; - // if currentTime (pos) is less than alt audio playlist start time, it means that alt audio is ahead of currentTime - if (trackDetails.PTSKnown && pos < start) { - // if everything is buffered from pos to start or if audio buffer upfront, let's seek to start - if (bufferInfo.end > start || bufferInfo.nextStart) { - logger["b" /* logger */].log('alt audio track ahead of main track, seek to start of alt audio track'); - this.media.currentTime = start + 0.05; - } else { - return; - } - } - } - } - if (trackDetails.initSegment && !trackDetails.initSegment.data) { - frag = trackDetails.initSegment; - } // eslint-disable-line brace-style - // if bufferEnd before start of playlist, load first fragment - else if (bufferEnd <= start) { - frag = fragments[0]; - if (this.videoTrackCC !== null && frag.cc !== this.videoTrackCC) { - // Ensure we find a fragment which matches the continuity of the video track - frag = findFragWithCC(fragments, this.videoTrackCC); - } - if (trackDetails.live && frag.loadIdx && frag.loadIdx === this.fragLoadIdx) { - // we just loaded this first fragment, and we are still lagging behind the start of the live playlist - // let's force seek to start - var nextBuffered = bufferInfo.nextStart ? bufferInfo.nextStart : start; - logger["b" /* logger */].log('no alt audio available @currentTime:' + this.media.currentTime + ', seeking @' + (nextBuffered + 0.05)); - this.media.currentTime = nextBuffered + 0.05; - return; - } - } else { - var foundFrag = void 0; - var maxFragLookUpTolerance = config.maxFragLookUpTolerance; - var fragNext = fragPrevious ? fragments[fragPrevious.sn - fragments[0].sn + 1] : undefined; - var fragmentWithinToleranceTest = function fragmentWithinToleranceTest(candidate) { - // 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); - 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; - } + module.exports = "<svg fill=\"#FFFFFF\" viewBox=\"0 0 24 24\" xmlns=\"http://www.w3.org/2000/svg\"><path d=\"M17.65 6.35C16.2 4.9 14.21 4 12 4c-4.42 0-7.99 3.58-7.99 8s3.57 8 7.99 8c3.73 0 6.84-2.55 7.73-6h-2.08c-.82 2.33-3.04 4-5.65 4-3.31 0-6-2.69-6-6s2.69-6 6-6c1.66 0 3.14.69 4.22 1.78L13 11h7V4l-2.35 2.35z\"></path><path d=\"M0 0h24v24H0z\" fill=\"none\"></path></svg>" - return 0; - }; + /***/ }), - if (bufferEnd < end) { - if (bufferEnd > end - maxFragLookUpTolerance) { - maxFragLookUpTolerance = 0; - } + /***/ "./src/main.js": + /*!*********************!*\ + !*** ./src/main.js ***! + \*********************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - // Prefer the next fragment if it's within tolerance - if (fragNext && !fragmentWithinToleranceTest(fragNext)) { - foundFrag = fragNext; - } else { - foundFrag = binary_search.search(fragments, fragmentWithinToleranceTest); - } - } else { - // reach end of playlist - foundFrag = fragments[fragLen - 1]; - } - if (foundFrag) { - frag = foundFrag; - start = foundFrag.start; - // logger.log('find SN matching with pos:' + bufferEnd + ':' + frag.sn); - if (fragPrevious && frag.level === fragPrevious.level && frag.sn === fragPrevious.sn) { - if (frag.sn < trackDetails.endSN) { - frag = fragments[frag.sn + 1 - trackDetails.startSN]; - logger["b" /* logger */].log('SN just loaded, load next one: ' + frag.sn); - } else { - frag = null; - } - } - } - } - if (frag) { - // logger.log(' loading frag ' + i +',pos/bufEnd:' + pos.toFixed(3) + '/' + bufferEnd.toFixed(3)); - if (frag.encrypted) { - logger["b" /* logger */].log('Loading key for ' + frag.sn + ' of [' + trackDetails.startSN + ' ,' + trackDetails.endSN + '],track ' + trackId); - this.state = audio_stream_controller_State.KEY_LOADING; - hls.trigger(events["a" /* default */].KEY_LOADING, { frag: frag }); - } else { - logger["b" /* logger */].log('Loading ' + frag.sn + ', cc: ' + frag.cc + ' of [' + trackDetails.startSN + ' ,' + trackDetails.endSN + '],track ' + trackId + ', currentTime:' + pos + ',bufferEnd:' + bufferEnd.toFixed(3)); - // only load if fragment is not loaded or if in audio switch - // we force a frag loading in audio switch as fragment tracker might not have evicted previous frags in case of quick audio switch - if (audioSwitch || this.fragmentTracker.getState(frag) === FragmentState.NOT_LOADED) { - this.fragCurrent = frag; - this.startFragRequested = true; - if (Object(number_isFinite["a" /* isFiniteNumber */])(frag.sn)) { - this.nextLoadPosition = frag.start + frag.duration; - } + "use strict"; - hls.trigger(events["a" /* default */].FRAG_LOADING, { frag: frag }); - this.state = audio_stream_controller_State.FRAG_LOADING; - } - } - } - } - break; - case audio_stream_controller_State.WAITING_TRACK: - track = this.tracks[this.trackId]; - // check if playlist is already loaded - if (track && track.details) { - this.state = audio_stream_controller_State.IDLE; - } - break; - case audio_stream_controller_State.FRAG_LOADING_WAITING_RETRY: - var now = audio_stream_controller_performance.now(); - var retryDate = this.retryDate; - media = this.media; - var isSeeking = media && media.seeking; - // if current time is gt than retryDate, or if media seeking let's switch to IDLE state to retry loading - if (!retryDate || now >= retryDate || isSeeking) { - logger["b" /* logger */].log('audioStreamController: retryDate reached, switch back to IDLE state'); - this.state = audio_stream_controller_State.IDLE; - } - break; - case audio_stream_controller_State.WAITING_INIT_PTS: - var videoTrackCC = this.videoTrackCC; - if (this.initPTS[videoTrackCC] === undefined) { - break; - } + Object.defineProperty(exports, "__esModule", { + value: true + }); - // Ensure we don't get stuck in the WAITING_INIT_PTS state if the waiting frag CC doesn't match any initPTS - var waitingFrag = this.waitingFragment; - if (waitingFrag) { - var waitingFragCC = waitingFrag.frag.cc; - if (videoTrackCC !== waitingFragCC) { - track = this.tracks[this.trackId]; - if (track.details && track.details.live) { - logger["b" /* logger */].warn('Waiting fragment CC (' + waitingFragCC + ') does not match video track CC (' + videoTrackCC + ')'); - this.waitingFragment = null; - this.state = audio_stream_controller_State.IDLE; - } - } else { - this.state = audio_stream_controller_State.FRAG_LOADING; - this.onFragLoaded(this.waitingFragment); - this.waitingFragment = null; - } - } else { - this.state = audio_stream_controller_State.IDLE; - } + var _player = __webpack_require__(/*! ./components/player */ "./src/components/player.js"); - break; - case audio_stream_controller_State.STOPPED: - case audio_stream_controller_State.FRAG_LOADING: - case audio_stream_controller_State.PARSING: - case audio_stream_controller_State.PARSED: - case audio_stream_controller_State.ENDED: - break; - default: - break; - } - }; + var _player2 = _interopRequireDefault(_player); - AudioStreamController.prototype.onMediaAttached = function onMediaAttached(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.tracks && config.autoStartLoad) { - this.startLoad(config.startPosition); - } - }; + var _utils = __webpack_require__(/*! ./base/utils */ "./src/base/utils.js"); - AudioStreamController.prototype.onMediaDetaching = function onMediaDetaching() { - var media = this.media; - if (media && media.ended) { - logger["b" /* logger */].log('MSE detaching and video ended, reset startPosition'); - this.startPosition = this.lastCurrentTime = 0; - } + var _utils2 = _interopRequireDefault(_utils); - // remove video listeners - if (media) { - media.removeEventListener('seeking', this.onvseeking); - media.removeEventListener('ended', this.onvended); - this.onvseeking = this.onvseeked = this.onvended = null; - } - this.media = this.mediaBuffer = this.videoBuffer = null; - this.loadedmetadata = false; - this.stopLoad(); - }; + var _events = __webpack_require__(/*! ./base/events */ "./src/base/events.js"); - AudioStreamController.prototype.onMediaSeeking = function onMediaSeeking() { - if (this.state === audio_stream_controller_State.ENDED) { - // switch to IDLE state to check for potential new fragment - this.state = audio_stream_controller_State.IDLE; - } - if (this.media) { - this.lastCurrentTime = this.media.currentTime; - } + var _events2 = _interopRequireDefault(_events); - // tick to speed up processing - this.tick(); - }; + var _playback = __webpack_require__(/*! ./base/playback */ "./src/base/playback.js"); - AudioStreamController.prototype.onMediaEnded = function onMediaEnded() { - // reset startPosition and lastCurrentTime to restart playback @ stream beginning - this.startPosition = this.lastCurrentTime = 0; - }; + var _playback2 = _interopRequireDefault(_playback); - AudioStreamController.prototype.onAudioTracksUpdated = function onAudioTracksUpdated(data) { - logger["b" /* logger */].log('audio tracks updated'); - this.tracks = data.audioTracks; - }; + var _container_plugin = __webpack_require__(/*! ./base/container_plugin */ "./src/base/container_plugin.js"); - AudioStreamController.prototype.onAudioTrackSwitching = function onAudioTrackSwitching(data) { - // if any URL found on new audio track, it is an alternate audio track - var altAudio = !!data.url; - this.trackId = data.id; - - this.fragCurrent = null; - this.state = audio_stream_controller_State.PAUSED; - this.waitingFragment = null; - // destroy useless demuxer when switching audio to main - if (!altAudio) { - if (this.demuxer) { - this.demuxer.destroy(); - this.demuxer = null; - } - } else { - // switching to audio track, start timer if not already started - this.setInterval(100); - } + var _container_plugin2 = _interopRequireDefault(_container_plugin); - // should we switch tracks ? - if (altAudio) { - this.audioSwitch = true; - // main audio track are handled by stream-controller, just do something if switching to alt audio track - this.state = audio_stream_controller_State.IDLE; - } - this.tick(); - }; + var _core_plugin = __webpack_require__(/*! ./base/core_plugin */ "./src/base/core_plugin.js"); - AudioStreamController.prototype.onAudioTrackLoaded = function onAudioTrackLoaded(data) { - var newDetails = data.details, - trackId = data.id, - track = this.tracks[trackId], - duration = newDetails.totalduration, - sliding = 0; - - logger["b" /* logger */].log('track ' + trackId + ' loaded [' + newDetails.startSN + ',' + newDetails.endSN + '],duration:' + duration); - - if (newDetails.live) { - var curDetails = track.details; - if (curDetails && newDetails.fragments.length > 0) { - // we already have details for that level, merge them - mergeDetails(curDetails, newDetails); - sliding = newDetails.fragments[0].start; - // TODO - // this.liveSyncPosition = this.computeLivePosition(sliding, curDetails); - if (newDetails.PTSKnown) { - logger["b" /* logger */].log('live audio playlist sliding:' + sliding.toFixed(3)); - } else { - logger["b" /* logger */].log('live audio playlist - outdated PTS, unknown sliding'); - } - } else { - newDetails.PTSKnown = false; - logger["b" /* logger */].log('live audio playlist - first load, unknown sliding'); - } - } else { - newDetails.PTSKnown = false; - } - track.details = newDetails; - - // compute start position - if (!this.startFragRequested) { - // compute start position if set to -1. use it straight away if value is defined - if (this.startPosition === -1) { - // first, check if start time offset has been set in playlist, if yes, use this value - var startTimeOffset = newDetails.startTimeOffset; - if (Object(number_isFinite["a" /* isFiniteNumber */])(startTimeOffset)) { - logger["b" /* logger */].log('start time offset found in playlist, adjust startPosition to ' + startTimeOffset); - this.startPosition = startTimeOffset; - } else { - this.startPosition = 0; - } - } - this.nextLoadPosition = this.startPosition; - } - // only switch batck to IDLE state if we were waiting for track to start downloading a new fragment - if (this.state === audio_stream_controller_State.WAITING_TRACK) { - this.state = audio_stream_controller_State.IDLE; - } + var _core_plugin2 = _interopRequireDefault(_core_plugin); - // trigger handler right now - this.tick(); - }; + var _ui_core_plugin = __webpack_require__(/*! ./base/ui_core_plugin */ "./src/base/ui_core_plugin.js"); - AudioStreamController.prototype.onKeyLoaded = function onKeyLoaded() { - if (this.state === audio_stream_controller_State.KEY_LOADING) { - this.state = audio_stream_controller_State.IDLE; - this.tick(); - } - }; + var _ui_core_plugin2 = _interopRequireDefault(_ui_core_plugin); - AudioStreamController.prototype.onFragLoaded = function onFragLoaded(data) { - var fragCurrent = this.fragCurrent, - fragLoaded = data.frag; - if (this.state === audio_stream_controller_State.FRAG_LOADING && fragCurrent && fragLoaded.type === 'audio' && fragLoaded.level === fragCurrent.level && fragLoaded.sn === fragCurrent.sn) { - var track = this.tracks[this.trackId], - details = track.details, - duration = details.totalduration, - trackId = fragCurrent.level, - sn = fragCurrent.sn, - cc = fragCurrent.cc, - audioCodec = this.config.defaultAudioCodec || track.audioCodec || 'mp4a.40.2', - stats = this.stats = data.stats; - if (sn === 'initSegment') { - this.state = audio_stream_controller_State.IDLE; - - stats.tparsed = stats.tbuffered = audio_stream_controller_performance.now(); - details.initSegment.data = data.payload; - this.hls.trigger(events["a" /* default */].FRAG_BUFFERED, { stats: stats, frag: fragCurrent, id: 'audio' }); - this.tick(); - } else { - this.state = audio_stream_controller_State.PARSING; - // transmux the MPEG-TS data to ISO-BMFF segments - this.appended = false; - if (!this.demuxer) { - this.demuxer = new demux_demuxer(this.hls, 'audio'); - } + var _ui_container_plugin = __webpack_require__(/*! ./base/ui_container_plugin */ "./src/base/ui_container_plugin.js"); - // Check if we have video initPTS - // If not we need to wait for it - var initPTS = this.initPTS[cc]; - var initSegmentData = details.initSegment ? details.initSegment.data : []; - if (details.initSegment || initPTS !== undefined) { - this.pendingBuffering = true; - logger["b" /* logger */].log('Demuxing ' + sn + ' of [' + details.startSN + ' ,' + details.endSN + '],track ' + trackId); - // time Offset is accurate if level PTS is known, or if playlist is not sliding (not live) - var accurateTimeOffset = false; // details.PTSKnown || !details.live; - this.demuxer.push(data.payload, initSegmentData, audioCodec, null, fragCurrent, duration, accurateTimeOffset, initPTS); - } else { - logger["b" /* logger */].log('unknown video PTS for continuity counter ' + cc + ', waiting for video PTS before demuxing audio frag ' + sn + ' of [' + details.startSN + ' ,' + details.endSN + '],track ' + trackId); - this.waitingFragment = data; - this.state = audio_stream_controller_State.WAITING_INIT_PTS; - } - } - } - this.fragLoadError = 0; - }; + var _ui_container_plugin2 = _interopRequireDefault(_ui_container_plugin); - AudioStreamController.prototype.onFragParsingInitSegment = function onFragParsingInitSegment(data) { - var fragCurrent = this.fragCurrent; - var fragNew = data.frag; - if (fragCurrent && data.id === 'audio' && fragNew.sn === fragCurrent.sn && fragNew.level === fragCurrent.level && this.state === audio_stream_controller_State.PARSING) { - var tracks = data.tracks, - track = void 0; + var _base_object = __webpack_require__(/*! ./base/base_object */ "./src/base/base_object.js"); - // delete any video track found on audio demuxer - if (tracks.video) { - delete tracks.video; - } + var _base_object2 = _interopRequireDefault(_base_object); - // include levelCodec in audio and video tracks - track = tracks.audio; - if (track) { - track.levelCodec = track.codec; - track.id = data.id; - this.hls.trigger(events["a" /* default */].BUFFER_CODECS, tracks); - logger["b" /* logger */].log('audio track:audio,container:' + track.container + ',codecs[level/parsed]=[' + track.levelCodec + '/' + track.codec + ']'); - var initSegment = track.initSegment; - if (initSegment) { - var appendObj = { type: 'audio', data: initSegment, parent: 'audio', content: 'initSegment' }; - if (this.audioSwitch) { - this.pendingData = [appendObj]; - } else { - this.appended = true; - // arm pending Buffering flag before appending a segment - this.pendingBuffering = true; - this.hls.trigger(events["a" /* default */].BUFFER_APPENDING, appendObj); - } - } - // trigger handler right now - this.tick(); - } - } - }; + var _ui_object = __webpack_require__(/*! ./base/ui_object */ "./src/base/ui_object.js"); - AudioStreamController.prototype.onFragParsingData = function onFragParsingData(data) { - var _this2 = this; + var _ui_object2 = _interopRequireDefault(_ui_object); - var fragCurrent = this.fragCurrent; - var fragNew = data.frag; - if (fragCurrent && data.id === 'audio' && data.type === 'audio' && fragNew.sn === fragCurrent.sn && fragNew.level === fragCurrent.level && this.state === audio_stream_controller_State.PARSING) { - var trackId = this.trackId, - track = this.tracks[trackId], - hls = this.hls; + var _browser = __webpack_require__(/*! ./components/browser */ "./src/components/browser/index.js"); - if (!Object(number_isFinite["a" /* isFiniteNumber */])(data.endPTS)) { - data.endPTS = data.startPTS + fragCurrent.duration; - data.endDTS = data.startDTS + fragCurrent.duration; - } + var _browser2 = _interopRequireDefault(_browser); - fragCurrent.addElementaryStream(loader_fragment.ElementaryStreamTypes.AUDIO); + var _container = __webpack_require__(/*! ./components/container */ "./src/components/container/index.js"); - logger["b" /* logger */].log('parsed ' + data.type + ',PTS:[' + data.startPTS.toFixed(3) + ',' + data.endPTS.toFixed(3) + '],DTS:[' + data.startDTS.toFixed(3) + '/' + data.endDTS.toFixed(3) + '],nb:' + data.nb); - updateFragPTSDTS(track.details, fragCurrent, data.startPTS, data.endPTS); + var _container2 = _interopRequireDefault(_container); - var audioSwitch = this.audioSwitch, - media = this.media, - appendOnBufferFlush = false; - // Only flush audio from old audio tracks when PTS is known on new audio track - if (audioSwitch && media) { - if (media.readyState) { - var currentTime = media.currentTime; - logger["b" /* logger */].log('switching audio track : currentTime:' + currentTime); - if (currentTime >= data.startPTS) { - logger["b" /* logger */].log('switching audio track : flushing all audio'); - this.state = audio_stream_controller_State.BUFFER_FLUSHING; - hls.trigger(events["a" /* default */].BUFFER_FLUSHING, { startOffset: 0, endOffset: Number.POSITIVE_INFINITY, type: 'audio' }); - appendOnBufferFlush = true; - // Lets announce that the initial audio track switch flush occur - this.audioSwitch = false; - hls.trigger(events["a" /* default */].AUDIO_TRACK_SWITCHED, { id: trackId }); - } - } else { - // Lets announce that the initial audio track switch flush occur - this.audioSwitch = false; - hls.trigger(events["a" /* default */].AUDIO_TRACK_SWITCHED, { id: trackId }); - } - } + var _core = __webpack_require__(/*! ./components/core */ "./src/components/core/index.js"); - var pendingData = this.pendingData; + var _core2 = _interopRequireDefault(_core); - if (!pendingData) { - logger["b" /* logger */].warn('Apparently attempt to enqueue media payload without codec initialization data upfront'); - hls.trigger(events["a" /* default */].ERROR, { type: errors["b" /* ErrorTypes */].MEDIA_ERROR, details: null, fatal: true }); - return; - } + var _error = __webpack_require__(/*! ./components/error */ "./src/components/error/index.js"); - if (!this.audioSwitch) { - [data.data1, data.data2].forEach(function (buffer) { - if (buffer && buffer.length) { - pendingData.push({ type: data.type, data: buffer, parent: 'audio', content: 'data' }); - } - }); - if (!appendOnBufferFlush && pendingData.length) { - pendingData.forEach(function (appendObj) { - // only append in PARSING state (rationale is that an appending error could happen synchronously on first segment appending) - // in that case it is useless to append following segments - if (_this2.state === audio_stream_controller_State.PARSING) { - // arm pending Buffering flag before appending a segment - _this2.pendingBuffering = true; - _this2.hls.trigger(events["a" /* default */].BUFFER_APPENDING, appendObj); - } - }); - this.pendingData = []; - this.appended = true; - } - } - // trigger handler right now - this.tick(); - } - }; + var _error2 = _interopRequireDefault(_error); - AudioStreamController.prototype.onFragParsed = function onFragParsed(data) { - var fragCurrent = this.fragCurrent; - var fragNew = data.frag; - if (fragCurrent && data.id === 'audio' && fragNew.sn === fragCurrent.sn && fragNew.level === fragCurrent.level && this.state === audio_stream_controller_State.PARSING) { - this.stats.tparsed = audio_stream_controller_performance.now(); - this.state = audio_stream_controller_State.PARSED; - this._checkAppendedParsed(); - } - }; + var _loader = __webpack_require__(/*! ./components/loader */ "./src/components/loader/index.js"); - AudioStreamController.prototype.onBufferReset = function onBufferReset() { - // reset reference to sourcebuffers - this.mediaBuffer = this.videoBuffer = null; - this.loadedmetadata = false; - }; + var _loader2 = _interopRequireDefault(_loader); - AudioStreamController.prototype.onBufferCreated = function onBufferCreated(data) { - var audioTrack = data.tracks.audio; - if (audioTrack) { - this.mediaBuffer = audioTrack.buffer; - this.loadedmetadata = true; - } - if (data.tracks.video) { - this.videoBuffer = data.tracks.video.buffer; - } - }; + var _mediator = __webpack_require__(/*! ./components/mediator */ "./src/components/mediator.js"); - AudioStreamController.prototype.onBufferAppended = function onBufferAppended(data) { - if (data.parent === 'audio') { - var state = this.state; - if (state === audio_stream_controller_State.PARSING || state === audio_stream_controller_State.PARSED) { - // check if all buffers have been appended - this.pendingBuffering = data.pending > 0; - this._checkAppendedParsed(); - } - } - }; + var _mediator2 = _interopRequireDefault(_mediator); - AudioStreamController.prototype._checkAppendedParsed = function _checkAppendedParsed() { - // trigger handler right now - if (this.state === audio_stream_controller_State.PARSED && (!this.appended || !this.pendingBuffering)) { - var frag = this.fragCurrent, - stats = this.stats, - hls = this.hls; - if (frag) { - this.fragPrevious = frag; - stats.tbuffered = audio_stream_controller_performance.now(); - hls.trigger(events["a" /* default */].FRAG_BUFFERED, { stats: stats, frag: frag, id: 'audio' }); - var media = this.mediaBuffer ? this.mediaBuffer : this.media; - logger["b" /* logger */].log('audio buffered : ' + time_ranges.toString(media.buffered)); - if (this.audioSwitch && this.appended) { - this.audioSwitch = false; - hls.trigger(events["a" /* default */].AUDIO_TRACK_SWITCHED, { id: this.trackId }); - } - this.state = audio_stream_controller_State.IDLE; - } - this.tick(); - } - }; + var _player_info = __webpack_require__(/*! ./components/player_info */ "./src/components/player_info.js"); - AudioStreamController.prototype.onError = function onError(data) { - var frag = data.frag; - // don't handle frag error not related to audio fragment - if (frag && frag.type !== 'audio') { - return; - } + var _player_info2 = _interopRequireDefault(_player_info); - switch (data.details) { - case errors["a" /* ErrorDetails */].FRAG_LOAD_ERROR: - case errors["a" /* ErrorDetails */].FRAG_LOAD_TIMEOUT: - var _frag = data.frag; - // don't handle frag error not related to audio fragment - if (_frag && _frag.type !== 'audio') { - break; - } + var _base_flash_playback = __webpack_require__(/*! ./playbacks/base_flash_playback */ "./src/playbacks/base_flash_playback/index.js"); - if (!data.fatal) { - var loadError = this.fragLoadError; - if (loadError) { - loadError++; - } else { - loadError = 1; - } + var _base_flash_playback2 = _interopRequireDefault(_base_flash_playback); - var config = this.config; - if (loadError <= config.fragLoadingMaxRetry) { - this.fragLoadError = loadError; - // exponential backoff capped to config.fragLoadingMaxRetryTimeout - var delay = Math.min(Math.pow(2, loadError - 1) * config.fragLoadingRetryDelay, config.fragLoadingMaxRetryTimeout); - logger["b" /* logger */].warn('AudioStreamController: frag loading failed, retry in ' + delay + ' ms'); - this.retryDate = audio_stream_controller_performance.now() + delay; - // retry loading state - this.state = audio_stream_controller_State.FRAG_LOADING_WAITING_RETRY; - } else { - logger["b" /* logger */].error('AudioStreamController: ' + data.details + ' reaches max retry, redispatch as fatal ...'); - // switch error to fatal - data.fatal = true; - this.state = audio_stream_controller_State.ERROR; - } - } - break; - case errors["a" /* ErrorDetails */].AUDIO_TRACK_LOAD_ERROR: - case errors["a" /* ErrorDetails */].AUDIO_TRACK_LOAD_TIMEOUT: - case errors["a" /* ErrorDetails */].KEY_LOAD_ERROR: - case errors["a" /* ErrorDetails */].KEY_LOAD_TIMEOUT: - // when in ERROR state, don't switch back to IDLE state in case a non-fatal error is received - if (this.state !== audio_stream_controller_State.ERROR) { - // if fatal error, stop processing, otherwise move to IDLE to retry loading - this.state = data.fatal ? audio_stream_controller_State.ERROR : audio_stream_controller_State.IDLE; - logger["b" /* logger */].warn('AudioStreamController: ' + data.details + ' while loading frag, now switching to ' + this.state + ' state ...'); - } - break; - case errors["a" /* ErrorDetails */].BUFFER_FULL_ERROR: - // if in appending state - if (data.parent === 'audio' && (this.state === audio_stream_controller_State.PARSING || this.state === audio_stream_controller_State.PARSED)) { - var media = this.mediaBuffer, - currentTime = this.media.currentTime, - mediaBuffered = media && BufferHelper.isBuffered(media, currentTime) && BufferHelper.isBuffered(media, currentTime + 0.5); - // reduce max buf len if current position is buffered - if (mediaBuffered) { - var _config = this.config; - if (_config.maxMaxBufferLength >= _config.maxBufferLength) { - // reduce max buffer length as it might be too high. we do this to avoid loop flushing ... - _config.maxMaxBufferLength /= 2; - logger["b" /* logger */].warn('AudioStreamController: reduce max buffer length to ' + _config.maxMaxBufferLength + 's'); - } - this.state = audio_stream_controller_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 audio buffer to recover - logger["b" /* logger */].warn('AudioStreamController: buffer full error also media.currentTime is not buffered, flush audio buffer'); - this.fragCurrent = null; - // flush everything - this.state = audio_stream_controller_State.BUFFER_FLUSHING; - this.hls.trigger(events["a" /* default */].BUFFER_FLUSHING, { startOffset: 0, endOffset: Number.POSITIVE_INFINITY, type: 'audio' }); - } - } - break; - default: - break; - } - }; + var _flash = __webpack_require__(/*! ./playbacks/flash */ "./src/playbacks/flash/index.js"); - AudioStreamController.prototype.onBufferFlushed = function onBufferFlushed() { - var _this3 = this; + var _flash2 = _interopRequireDefault(_flash); - var pendingData = this.pendingData; - if (pendingData && pendingData.length) { - logger["b" /* logger */].log('AudioStreamController: appending pending audio data after buffer flushed'); - pendingData.forEach(function (appendObj) { - _this3.hls.trigger(events["a" /* default */].BUFFER_APPENDING, appendObj); - }); - this.appended = true; - this.pendingData = []; - this.state = audio_stream_controller_State.PARSED; - } else { - // move to IDLE once flush complete. this should trigger new fragment loading - this.state = audio_stream_controller_State.IDLE; - // reset reference to frag - this.fragPrevious = null; - this.tick(); - } - }; + var _flashls = __webpack_require__(/*! ./playbacks/flashls */ "./src/playbacks/flashls/index.js"); - audio_stream_controller__createClass(AudioStreamController, [{ - key: 'state', - set: function set(nextState) { - if (this.state !== nextState) { - var previousState = this.state; - this._state = nextState; - logger["b" /* logger */].log('audio stream:' + previousState + '->' + nextState); - } - }, - get: function get() { - return this._state; - } - }]); + var _flashls2 = _interopRequireDefault(_flashls); - return AudioStreamController; - }(task_loop); + var _hls = __webpack_require__(/*! ./playbacks/hls */ "./src/playbacks/hls/index.js"); - /* harmony default export */ var audio_stream_controller = (audio_stream_controller_AudioStreamController); -// CONCATENATED MODULE: ./src/utils/vttcue.js - /** - * Copyright 2013 vtt.js Contributors - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ + var _hls2 = _interopRequireDefault(_hls); - /* harmony default export */ var vttcue = ((function () { - if (typeof window !== 'undefined' && window.VTTCue) { - return window.VTTCue; - } + var _html5_audio = __webpack_require__(/*! ./playbacks/html5_audio */ "./src/playbacks/html5_audio/index.js"); - var autoKeyword = 'auto'; - var directionSetting = { - '': true, - lr: true, - rl: true - }; - var alignSetting = { - start: true, - middle: true, - end: true, - left: true, - right: true - }; + var _html5_audio2 = _interopRequireDefault(_html5_audio); - function findDirectionSetting(value) { - if (typeof value !== 'string') { - return false; - } + var _html5_video = __webpack_require__(/*! ./playbacks/html5_video */ "./src/playbacks/html5_video/index.js"); - var dir = directionSetting[value.toLowerCase()]; - return dir ? value.toLowerCase() : false; - } + var _html5_video2 = _interopRequireDefault(_html5_video); - function findAlignSetting(value) { - if (typeof value !== 'string') { - return false; - } + var _html_img = __webpack_require__(/*! ./playbacks/html_img */ "./src/playbacks/html_img/index.js"); - var align = alignSetting[value.toLowerCase()]; - return align ? value.toLowerCase() : false; - } + var _html_img2 = _interopRequireDefault(_html_img); - function extend(obj) { - var i = 1; - for (; i < arguments.length; i++) { - var cobj = arguments[i]; - for (var p in cobj) { - obj[p] = cobj[p]; - } - } + var _no_op = __webpack_require__(/*! ./playbacks/no_op */ "./src/playbacks/no_op/index.js"); - return obj; - } + var _no_op2 = _interopRequireDefault(_no_op); - function VTTCue(startTime, endTime, text) { - var cue = this; - var isIE8 = function () { - if (typeof navigator === 'undefined') { - return; - } + var _media_control = __webpack_require__(/*! ./plugins/media_control */ "./src/plugins/media_control/index.js"); - return (/MSIE\s8\.0/.test(navigator.userAgent) - ); - }(); - var baseObj = {}; + var _media_control2 = _interopRequireDefault(_media_control); - if (isIE8) { - cue = document.createElement('custom'); - } else { - baseObj.enumerable = true; - } + var _click_to_pause = __webpack_require__(/*! ./plugins/click_to_pause */ "./src/plugins/click_to_pause/index.js"); - /** - * Shim implementation specific properties. These properties are not in - * the spec. - */ + var _click_to_pause2 = _interopRequireDefault(_click_to_pause); - // Lets us know when the VTTCue's data has changed in such a way that we need - // to recompute its display state. This lets us compute its display state - // lazily. - cue.hasBeenReset = false; + var _dvr_controls = __webpack_require__(/*! ./plugins/dvr_controls */ "./src/plugins/dvr_controls/index.js"); - /** - * VTTCue and TextTrackCue properties - * http://dev.w3.org/html5/webvtt/#vttcue-interface - */ + var _dvr_controls2 = _interopRequireDefault(_dvr_controls); - var _id = ''; - var _pauseOnExit = false; - var _startTime = startTime; - var _endTime = endTime; - var _text = text; - var _region = null; - var _vertical = ''; - var _snapToLines = true; - var _line = 'auto'; - var _lineAlign = 'start'; - var _position = 50; - var _positionAlign = 'middle'; - var _size = 50; - var _align = 'middle'; - - Object.defineProperty(cue, 'id', extend({}, baseObj, { - get: function get() { - return _id; - }, - set: function set(value) { - _id = '' + value; - } - })); + var _favicon = __webpack_require__(/*! ./plugins/favicon */ "./src/plugins/favicon/index.js"); - Object.defineProperty(cue, 'pauseOnExit', extend({}, baseObj, { - get: function get() { - return _pauseOnExit; - }, - set: function set(value) { - _pauseOnExit = !!value; - } - })); + var _favicon2 = _interopRequireDefault(_favicon); - Object.defineProperty(cue, 'startTime', extend({}, baseObj, { - get: function get() { - return _startTime; - }, - set: function set(value) { - if (typeof value !== 'number') { - throw new TypeError('Start time must be set to a number.'); - } + var _log = __webpack_require__(/*! ./plugins/log */ "./src/plugins/log/index.js"); - _startTime = value; - this.hasBeenReset = true; - } - })); + var _log2 = _interopRequireDefault(_log); - Object.defineProperty(cue, 'endTime', extend({}, baseObj, { - get: function get() { - return _endTime; - }, - set: function set(value) { - if (typeof value !== 'number') { - throw new TypeError('End time must be set to a number.'); - } + var _poster = __webpack_require__(/*! ./plugins/poster */ "./src/plugins/poster/index.js"); - _endTime = value; - this.hasBeenReset = true; - } - })); + var _poster2 = _interopRequireDefault(_poster); - Object.defineProperty(cue, 'text', extend({}, baseObj, { - get: function get() { - return _text; - }, - set: function set(value) { - _text = '' + value; - this.hasBeenReset = true; - } - })); + var _spinner_three_bounce = __webpack_require__(/*! ./plugins/spinner_three_bounce */ "./src/plugins/spinner_three_bounce/index.js"); - Object.defineProperty(cue, 'region', extend({}, baseObj, { - get: function get() { - return _region; - }, - set: function set(value) { - _region = value; - this.hasBeenReset = true; - } - })); + var _spinner_three_bounce2 = _interopRequireDefault(_spinner_three_bounce); - Object.defineProperty(cue, 'vertical', extend({}, baseObj, { - get: function get() { - return _vertical; - }, - set: function set(value) { - var setting = findDirectionSetting(value); - // Have to check for false because the setting an be an empty string. - if (setting === false) { - throw new SyntaxError('An invalid or illegal string was specified.'); - } + var _watermark = __webpack_require__(/*! ./plugins/watermark */ "./src/plugins/watermark/index.js"); - _vertical = setting; - this.hasBeenReset = true; - } - })); + var _watermark2 = _interopRequireDefault(_watermark); - Object.defineProperty(cue, 'snapToLines', extend({}, baseObj, { - get: function get() { - return _snapToLines; - }, - set: function set(value) { - _snapToLines = !!value; - this.hasBeenReset = true; - } - })); + var _styler = __webpack_require__(/*! ./base/styler */ "./src/base/styler.js"); - Object.defineProperty(cue, 'line', extend({}, baseObj, { - get: function get() { - return _line; - }, - set: function set(value) { - if (typeof value !== 'number' && value !== autoKeyword) { - throw new SyntaxError('An invalid number or illegal string was specified.'); - } + var _styler2 = _interopRequireDefault(_styler); - _line = value; - this.hasBeenReset = true; - } - })); + var _vendor = __webpack_require__(/*! ./vendor */ "./src/vendor/index.js"); + + var _vendor2 = _interopRequireDefault(_vendor); - Object.defineProperty(cue, 'lineAlign', extend({}, baseObj, { - get: function get() { - return _lineAlign; - }, - set: function set(value) { - var setting = findAlignSetting(value); - if (!setting) { - throw new SyntaxError('An invalid or illegal string was specified.'); - } + var _template = __webpack_require__(/*! ./base/template */ "./src/base/template.js"); - _lineAlign = setting; - this.hasBeenReset = true; - } - })); + var _template2 = _interopRequireDefault(_template); - Object.defineProperty(cue, 'position', extend({}, baseObj, { - get: function get() { - return _position; - }, - set: function set(value) { - if (value < 0 || value > 100) { - throw new Error('Position must be between 0 and 100.'); - } + var _clapprZepto = __webpack_require__(/*! clappr-zepto */ "./node_modules/clappr-zepto/zepto.js"); - _position = value; - this.hasBeenReset = true; - } - })); + var _clapprZepto2 = _interopRequireDefault(_clapprZepto); - Object.defineProperty(cue, 'positionAlign', extend({}, baseObj, { - get: function get() { - return _positionAlign; - }, - set: function set(value) { - var setting = findAlignSetting(value); - if (!setting) { - throw new SyntaxError('An invalid or illegal string was specified.'); - } + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - _positionAlign = setting; - this.hasBeenReset = true; - } - })); + var version = "0.3.13"; // Copyright 2014 Globo.com Player authors. All rights reserved. +// Use of this source code is governed by a BSD-style +// license that can be found in the LICENSE file. - Object.defineProperty(cue, 'size', extend({}, baseObj, { - get: function get() { - return _size; - }, - set: function set(value) { - if (value < 0 || value > 100) { - throw new Error('Size must be between 0 and 100.'); - } + exports.default = { + Player: _player2.default, + Mediator: _mediator2.default, + Events: _events2.default, + Browser: _browser2.default, + PlayerInfo: _player_info2.default, + MediaControl: _media_control2.default, + ContainerPlugin: _container_plugin2.default, + UIContainerPlugin: _ui_container_plugin2.default, + CorePlugin: _core_plugin2.default, + UICorePlugin: _ui_core_plugin2.default, + Playback: _playback2.default, + Container: _container2.default, + Core: _core2.default, + PlayerError: _error2.default, + Loader: _loader2.default, + BaseObject: _base_object2.default, + UIObject: _ui_object2.default, + Utils: _utils2.default, + BaseFlashPlayback: _base_flash_playback2.default, + Flash: _flash2.default, + FlasHLS: _flashls2.default, + HLS: _hls2.default, + HTML5Audio: _html5_audio2.default, + HTML5Video: _html5_video2.default, + HTMLImg: _html_img2.default, + NoOp: _no_op2.default, + ClickToPausePlugin: _click_to_pause2.default, + DVRControls: _dvr_controls2.default, + Favicon: _favicon2.default, + Log: _log2.default, + Poster: _poster2.default, + SpinnerThreeBouncePlugin: _spinner_three_bounce2.default, + WaterMarkPlugin: _watermark2.default, + Styler: _styler2.default, + Vendor: _vendor2.default, + version: version, + template: _template2.default, + $: _clapprZepto2.default + }; + module.exports = exports['default']; - _size = value; - this.hasBeenReset = true; - } - })); + /***/ }), - Object.defineProperty(cue, 'align', extend({}, baseObj, { - get: function get() { - return _align; - }, - set: function set(value) { - var setting = findAlignSetting(value); - if (!setting) { - throw new SyntaxError('An invalid or illegal string was specified.'); - } + /***/ "./src/playbacks/base_flash_playback/base_flash_playback.js": + /*!******************************************************************!*\ + !*** ./src/playbacks/base_flash_playback/base_flash_playback.js ***! + \******************************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - _align = setting; - this.hasBeenReset = true; - } - })); + "use strict"; - /** - * Other <track> spec defined properties - */ - // http://www.whatwg.org/specs/web-apps/current-work/multipage/the-video-element.html#text-track-cue-display-state - cue.displayState = undefined; + Object.defineProperty(exports, "__esModule", { + value: true + }); - if (isIE8) { - return cue; - } - } + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); - /** - * VTTCue methods - */ + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); - VTTCue.prototype.getCueAsHTML = function () { - // Assume WebVTT.convertCueToDOMTree is on the global. - var WebVTT = window.WebVTT; - return WebVTT.convertCueToDOMTree(window, this.text); - }; + var _createClass2 = __webpack_require__(/*! babel-runtime/helpers/createClass */ "./node_modules/babel-runtime/helpers/createClass.js"); - return VTTCue; - })()); -// CONCATENATED MODULE: ./src/utils/vttparser.js - /* - * Source: https://github.com/mozilla/vtt.js/blob/master/dist/vtt.js#L1716 - */ + var _createClass3 = _interopRequireDefault(_createClass2); + var _possibleConstructorReturn2 = __webpack_require__(/*! babel-runtime/helpers/possibleConstructorReturn */ "./node_modules/babel-runtime/helpers/possibleConstructorReturn.js"); + var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); - var StringDecoder = function StringDecoder() { - return { - decode: function decode(data) { - if (!data) { - return ''; - } + var _inherits2 = __webpack_require__(/*! babel-runtime/helpers/inherits */ "./node_modules/babel-runtime/helpers/inherits.js"); - if (typeof data !== 'string') { - throw new Error('Error - expected string data.'); - } + var _inherits3 = _interopRequireDefault(_inherits2); - return decodeURIComponent(encodeURIComponent(data)); - } - }; - }; + var _playback = __webpack_require__(/*! ../../base/playback */ "./src/base/playback.js"); - function VTTParser() { - this.window = window; - this.state = 'INITIAL'; - this.buffer = ''; - this.decoder = new StringDecoder(); - this.regionList = []; - } + var _playback2 = _interopRequireDefault(_playback); -// Try to parse input as a time stamp. - function parseTimeStamp(input) { - function computeSeconds(h, m, s, f) { - return (h | 0) * 3600 + (m | 0) * 60 + (s | 0) + (f | 0) / 1000; - } + var _template = __webpack_require__(/*! ../../base/template */ "./src/base/template.js"); - var m = input.match(/^(\d+):(\d{2})(:\d{2})?\.(\d{3})/); - if (!m) { - return null; - } + var _template2 = _interopRequireDefault(_template); - if (m[3]) { - // Timestamp takes the form of [hours]:[minutes]:[seconds].[milliseconds] - return computeSeconds(m[1], m[2], m[3].replace(':', ''), m[4]); - } else if (m[1] > 59) { - // Timestamp takes the form of [hours]:[minutes].[milliseconds] - // First position is hours as it's over 59. - return computeSeconds(m[1], m[2], 0, m[4]); - } else { - // Timestamp takes the form of [minutes]:[seconds].[milliseconds] - return computeSeconds(0, m[1], m[2], m[4]); - } - } + var _browser = __webpack_require__(/*! ../../components/browser */ "./src/components/browser/index.js"); -// A settings object holds key/value pairs and will ignore anything but the first -// assignment to a specific key. - function Settings() { - this.values = Object.create(null); - } + var _browser2 = _interopRequireDefault(_browser); - Settings.prototype = { - // Only accept the first assignment to any key. - set: function set(k, v) { - if (!this.get(k) && v !== '') { - this.values[k] = v; - } - }, - // Return the value for a key, or a default value. - // If 'defaultKey' is passed then 'dflt' is assumed to be an object with - // a number of possible default values as properties where 'defaultKey' is - // the key of the property that will be chosen; otherwise it's assumed to be - // a single value. - get: function get(k, dflt, defaultKey) { - if (defaultKey) { - return this.has(k) ? this.values[k] : dflt[defaultKey]; - } + var _flash = __webpack_require__(/*! ./public/flash.html */ "./src/playbacks/base_flash_playback/public/flash.html"); - return this.has(k) ? this.values[k] : dflt; - }, - // Check whether we have a value for a key. - has: function has(k) { - return k in this.values; - }, - // Accept a setting if its one of the given alternatives. - alt: function alt(k, v, a) { - for (var n = 0; n < a.length; ++n) { - if (v === a[n]) { - this.set(k, v); - break; - } - } - }, - // Accept a setting if its a valid (signed) integer. - integer: function integer(k, v) { - if (/^-?\d+$/.test(v)) { - // integer - this.set(k, parseInt(v, 10)); - } - }, - // Accept a setting if its a valid percentage. - percent: function percent(k, v) { - var m = void 0; - if (m = v.match(/^([\d]{1,3})(\.[\d]*)?%$/)) { - v = parseFloat(v); - if (v >= 0 && v <= 100) { - this.set(k, v); - return true; - } - } - return false; - } - }; + var _flash2 = _interopRequireDefault(_flash); -// Helper function to parse input into groups separated by 'groupDelim', and -// interprete each group as a key/value pair separated by 'keyValueDelim'. - function parseOptions(input, callback, keyValueDelim, groupDelim) { - var groups = groupDelim ? input.split(groupDelim) : [input]; - for (var i in groups) { - if (typeof groups[i] !== 'string') { - continue; - } + __webpack_require__(/*! ./public/flash.scss */ "./src/playbacks/base_flash_playback/public/flash.scss"); - var kv = groups[i].split(keyValueDelim); - if (kv.length !== 2) { - continue; - } + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - var k = kv[0]; - var v = kv[1]; - callback(k, v); - } - } + var IE_CLASSID = 'clsid:d27cdb6e-ae6d-11cf-96b8-444553540000'; // Copyright 2015 Globo.com Player authors. All rights reserved. +// Use of this source code is governed by a BSD-style +// license that can be found in the LICENSE file. - var defaults = new vttcue(0, 0, 0); -// 'middle' was changed to 'center' in the spec: https://github.com/w3c/webvtt/pull/244 -// Safari doesn't yet support this change, but FF and Chrome do. - var center = defaults.align === 'middle' ? 'middle' : 'center'; - - function parseCue(input, cue, regionList) { - // Remember the original input if we need to throw an error. - var oInput = input; - // 4.1 WebVTT timestamp - function consumeTimeStamp() { - var ts = parseTimeStamp(input); - if (ts === null) { - throw new Error('Malformed timestamp: ' + oInput); - } + var BaseFlashPlayback = function (_Playback) { + (0, _inherits3.default)(BaseFlashPlayback, _Playback); - // Remove time stamp from input. - input = input.replace(/^[^\sa-zA-Z-]+/, ''); - return ts; - } + function BaseFlashPlayback() { + (0, _classCallCheck3.default)(this, BaseFlashPlayback); + return (0, _possibleConstructorReturn3.default)(this, _Playback.apply(this, arguments)); + } - // 4.4.2 WebVTT cue settings - function consumeCueSettings(input, cue) { - var settings = new Settings(); - - parseOptions(input, function (k, v) { - switch (k) { - case 'region': - // Find the last region we parsed with the same region id. - for (var i = regionList.length - 1; i >= 0; i--) { - if (regionList[i].id === v) { - settings.set(k, regionList[i].region); - break; - } - } - break; - case 'vertical': - settings.alt(k, v, ['rl', 'lr']); - break; - case 'line': - var vals = v.split(','), - vals0 = vals[0]; - settings.integer(k, vals0); - if (settings.percent(k, vals0)) { - settings.set('snapToLines', false); - } + BaseFlashPlayback.prototype.setElement = function setElement(element) { + this.$el = element; + this.el = element[0]; + }; - settings.alt(k, vals0, ['auto']); - if (vals.length === 2) { - settings.alt('lineAlign', vals[1], ['start', center, 'end']); - } + BaseFlashPlayback.prototype.render = function render() { + this.$el.attr('data', this.swfPath); + this.$el.html(this.template({ + cid: this.cid, + swfPath: this.swfPath, + baseUrl: this.baseUrl, + playbackId: this.uniqueId, + wmode: this.wmode, + callbackName: 'window.Clappr.flashlsCallbacks.' + this.cid })); - break; - case 'position': - vals = v.split(','); - settings.percent(k, vals[0]); - if (vals.length === 2) { - settings.alt('positionAlign', vals[1], ['start', center, 'end', 'line-left', 'line-right', 'auto']); - } + if (_browser2.default.isIE) { + this.$('embed').remove(); - break; - case 'size': - settings.percent(k, v); - break; - case 'align': - settings.alt(k, v, ['start', center, 'end', 'left', 'right']); - break; - } - }, /:/, /\s/); - - // Apply default values for any missing fields. - cue.region = settings.get('region', null); - cue.vertical = settings.get('vertical', ''); - var line = settings.get('line', 'auto'); - if (line === 'auto' && defaults.line === -1) { - // set numeric line number for Safari - line = -1; - } - cue.line = line; - cue.lineAlign = settings.get('lineAlign', 'start'); - cue.snapToLines = settings.get('snapToLines', true); - cue.size = settings.get('size', 100); - cue.align = settings.get('align', center); - var position = settings.get('position', 'auto'); - if (position === 'auto' && defaults.position === 50) { - // set numeric position for Safari - position = cue.align === 'start' || cue.align === 'left' ? 0 : cue.align === 'end' || cue.align === 'right' ? 100 : 50; - } - cue.position = position; - } + if (_browser2.default.isLegacyIE) this.$el.attr('classid', IE_CLASSID); + } - function skipWhitespace() { - input = input.replace(/^\s+/, ''); - } + this.el.id = this.cid; - // 4.1 WebVTT cue timings. - skipWhitespace(); - cue.startTime = consumeTimeStamp(); // (1) collect cue start time - skipWhitespace(); - if (input.substr(0, 3) !== '-->') { - // (3) next characters must match '-->' - throw new Error('Malformed time stamp (time stamps must be separated by \'-->\'): ' + oInput); - } - input = input.substr(3); - skipWhitespace(); - cue.endTime = consumeTimeStamp(); // (5) collect cue end time + return this; + }; - // 4.1 WebVTT cue settings list. - skipWhitespace(); - consumeCueSettings(input, cue); + (0, _createClass3.default)(BaseFlashPlayback, [{ + key: 'tagName', + get: function get() { + return 'object'; + } + }, { + key: 'swfPath', + get: function get() { + return ''; + } + }, { + key: 'wmode', + get: function get() { + return 'transparent'; + } + }, { + key: 'template', + get: function get() { + return (0, _template2.default)(_flash2.default); } + }, { + key: 'attributes', + get: function get() { + var type = 'application/x-shockwave-flash'; - function fixLineBreaks(input) { - return input.replace(/<br(?: \/)?>/gi, '\n'); + if (_browser2.default.isLegacyIE) type = ''; + + return { + class: 'clappr-flash-playback', + type: type, + width: '100%', + height: '100%', + data: this.swfPath, + 'data-flash-playback': this.name + }; } + }]); + return BaseFlashPlayback; + }(_playback2.default); - VTTParser.prototype = { - parse: function parse(data) { - var self = this; + exports.default = BaseFlashPlayback; + module.exports = exports['default']; - // If there is no data then we won't decode it, but will just try to parse - // whatever is in buffer already. This may occur in circumstances, for - // example when flush() is called. - if (data) { - // Try to decode the data that we received. - self.buffer += self.decoder.decode(data, { stream: true }); - } + /***/ }), - function collectNextLine() { - var buffer = self.buffer; - var pos = 0; + /***/ "./src/playbacks/base_flash_playback/index.js": + /*!****************************************************!*\ + !*** ./src/playbacks/base_flash_playback/index.js ***! + \****************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - buffer = fixLineBreaks(buffer); + "use strict"; - while (pos < buffer.length && buffer[pos] !== '\r' && buffer[pos] !== '\n') { - ++pos; - } - var line = buffer.substr(0, pos); - // Advance the buffer early in case we fail below. - if (buffer[pos] === '\r') { - ++pos; - } + Object.defineProperty(exports, "__esModule", { + value: true + }); + exports.default = __webpack_require__(/*! ./base_flash_playback */ "./src/playbacks/base_flash_playback/base_flash_playback.js"); + module.exports = exports['default']; - if (buffer[pos] === '\n') { - ++pos; - } + /***/ }), - self.buffer = buffer.substr(pos); - return line; - } + /***/ "./src/playbacks/base_flash_playback/public/flash.html": + /*!*************************************************************!*\ + !*** ./src/playbacks/base_flash_playback/public/flash.html ***! + \*************************************************************/ + /*! no static exports found */ + /***/ (function(module, exports) { - // 3.2 WebVTT metadata header syntax - function parseHeader(input) { - parseOptions(input, function (k, v) { - switch (k) { - case 'Region': - // 3.3 WebVTT region metadata header syntax - // console.log('parse region', v); - // parseRegion(v); - break; - } - }, /:/); - } + module.exports = "<param name=\"movie\" value=\"<%= swfPath %>\">\n<param name=\"quality\" value=\"autohigh\">\n<param name=\"swliveconnect\" value=\"true\">\n<param name=\"allowScriptAccess\" value=\"always\">\n<param name=\"bgcolor\" value=\"#000000\">\n<param name=\"allowFullScreen\" value=\"false\">\n<param name=\"wmode\" value=\"<%= wmode %>\">\n<param name=\"tabindex\" value=\"1\">\n<param name=\"FlashVars\" value=\"playbackId=<%= playbackId %>&callback=<%= callbackName %>\">\n<embed\n name=\"<%= cid %>\"\n type=\"application/x-shockwave-flash\"\n disabled=\"disabled\"\n tabindex=\"-1\"\n enablecontextmenu=\"false\"\n allowScriptAccess=\"always\"\n quality=\"autohigh\"\n pluginspage=\"http://www.macromedia.com/go/getflashplayer\"\n wmode=\"<%= wmode %>\"\n swliveconnect=\"true\"\n allowfullscreen=\"false\"\n bgcolor=\"#000000\"\n FlashVars=\"playbackId=<%= playbackId %>&callback=<%= callbackName %>\"\n data=\"<%= swfPath %>\"\n src=\"<%= swfPath %>\"\n width=\"100%\"\n height=\"100%\">\n</embed>\n"; - // 5.1 WebVTT file parsing. - try { - var line = void 0; - if (self.state === 'INITIAL') { - // We can't start parsing until we have the first line. - if (!/\r\n|\n/.test(self.buffer)) { - return this; - } + /***/ }), - line = collectNextLine(); - // strip of UTF-8 BOM if any - // https://en.wikipedia.org/wiki/Byte_order_mark#UTF-8 - var m = line.match(/^()?WEBVTT([ \t].*)?$/); - if (!m || !m[0]) { - throw new Error('Malformed WebVTT signature.'); - } + /***/ "./src/playbacks/base_flash_playback/public/flash.scss": + /*!*************************************************************!*\ + !*** ./src/playbacks/base_flash_playback/public/flash.scss ***! + \*************************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - self.state = 'HEADER'; - } - var alreadyCollectedLine = false; - while (self.buffer) { - // We can't parse a line until we have the full line. - if (!/\r\n|\n/.test(self.buffer)) { - return this; - } + var content = __webpack_require__(/*! !../../../../node_modules/css-loader!../../../../node_modules/postcss-loader/lib!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/joaopaulo/Workstation/JS/clappr/src/base/scss!./flash.scss */ "./node_modules/css-loader/index.js!./node_modules/postcss-loader/lib/index.js!./node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/joaopaulo/Workstation/JS/clappr/src/base/scss!./src/playbacks/base_flash_playback/public/flash.scss"); - if (!alreadyCollectedLine) { - line = collectNextLine(); - } else { - alreadyCollectedLine = false; - } + if(typeof content === 'string') content = [[module.i, content, '']]; - switch (self.state) { - case 'HEADER': - // 13-18 - Allow a header (metadata) under the WEBVTT line. - if (/:/.test(line)) { - parseHeader(line); - } else if (!line) { - // An empty line terminates the header and starts the body (cues). - self.state = 'ID'; - } - continue; - case 'NOTE': - // Ignore NOTE blocks. - if (!line) { - self.state = 'ID'; - } - - continue; - case 'ID': - // Check for the start of NOTE blocks. - if (/^NOTE($|[ \t])/.test(line)) { - self.state = 'NOTE'; - break; - } - // 19-29 - Allow any number of line terminators, then initialize new cue values. - if (!line) { - continue; - } + var transform; + var insertInto; - self.cue = new vttcue(0, 0, ''); - self.state = 'CUE'; - // 30-39 - Check if self line contains an optional identifier or timing data. - if (line.indexOf('-->') === -1) { - self.cue.id = line; - continue; - } - // Process line as start of a cue. - /* falls through */ - case 'CUE': - // 40 - Collect cue timings and settings. - try { - parseCue(line, self.cue, self.regionList); - } catch (e) { - // In case of an error ignore rest of the cue. - self.cue = null; - self.state = 'BADCUE'; - continue; - } - self.state = 'CUETEXT'; - continue; - case 'CUETEXT': - var hasSubstring = line.indexOf('-->') !== -1; - // 34 - If we have an empty line then report the cue. - // 35 - If we have the special substring '-->' then report the cue, - // but do not collect the line as we need to process the current - // one as a new cue. - if (!line || hasSubstring && (alreadyCollectedLine = true)) { - // We are done parsing self cue. - if (self.oncue) { - self.oncue(self.cue); - } - self.cue = null; - self.state = 'ID'; - continue; - } - if (self.cue.text) { - self.cue.text += '\n'; - } - self.cue.text += line; - continue; - case 'BADCUE': - // BADCUE - // 54-62 - Collect and discard the remaining cue. - if (!line) { - self.state = 'ID'; - } + var options = {"singleton":true,"hmr":true} - continue; - } - } - } catch (e) { - // If we are currently parsing a cue, report what we have. - if (self.state === 'CUETEXT' && self.cue && self.oncue) { - self.oncue(self.cue); - } + options.transform = transform + options.insertInto = undefined; - self.cue = null; - // Enter BADWEBVTT state if header was not parsed correctly otherwise - // another exception occurred so enter BADCUE state. - self.state = self.state === 'INITIAL' ? 'BADWEBVTT' : 'BADCUE'; - } - return this; - }, - flush: function flush() { - var self = this; - try { - // Finish decoding the stream. - self.buffer += self.decoder.decode(); - // Synthesize the end of the current cue or region. - if (self.cue || self.state === 'HEADER') { - self.buffer += '\n\n'; - self.parse(); - } - // If we've flushed, parsed, and we're still on the INITIAL state then - // that means we don't have enough of the stream to parse the first - // line. - if (self.state === 'INITIAL') { - throw new Error('Malformed WebVTT signature.'); - } - } catch (e) { - throw e; - } - if (self.onflush) { - self.onflush(); - } + var update = __webpack_require__(/*! ../../../../node_modules/style-loader/lib/addStyles.js */ "./node_modules/style-loader/lib/addStyles.js")(content, options); - return this; - } - }; + if(content.locals) module.exports = content.locals; + if(false) {} + /***/ }), - /* harmony default export */ var vttparser = (VTTParser); -// CONCATENATED MODULE: ./src/utils/cues.js + /***/ "./src/playbacks/flash/flash.js": + /*!**************************************!*\ + !*** ./src/playbacks/flash/flash.js ***! + \**************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { + "use strict"; - function newCue(track, startTime, endTime, captionScreen) { - var row = void 0; - var cue = void 0; - var indenting = void 0; - var indent = void 0; - var text = void 0; - var VTTCue = window.VTTCue || window.TextTrackCue; - for (var r = 0; r < captionScreen.rows.length; r++) { - row = captionScreen.rows[r]; - indenting = true; - indent = 0; - text = ''; + Object.defineProperty(exports, "__esModule", { + value: true + }); - if (!row.isEmpty()) { - for (var c = 0; c < row.chars.length; c++) { - if (row.chars[c].uchar.match(/\s/) && indenting) { - indent++; - } else { - text += row.chars[c].uchar; - indenting = false; - } - } - // To be used for cleaning-up orphaned roll-up captions - row.cueStartTime = startTime; + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); - // Give a slight bump to the endTime if it's equal to startTime to avoid a SyntaxError in IE - if (startTime === endTime) { - endTime += 0.0001; - } + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); - cue = new VTTCue(startTime, endTime, fixLineBreaks(text.trim())); + var _possibleConstructorReturn2 = __webpack_require__(/*! babel-runtime/helpers/possibleConstructorReturn */ "./node_modules/babel-runtime/helpers/possibleConstructorReturn.js"); - if (indent >= 16) { - indent--; - } else { - indent++; - } + var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); - // VTTCue.line get's flakey when using controls, so let's now include line 13&14 - // also, drop line 1 since it's to close to the top - if (navigator.userAgent.match(/Firefox\//)) { - cue.line = r + 1; - } else { - cue.line = r > 7 ? r - 2 : r + 1; - } + var _createClass2 = __webpack_require__(/*! babel-runtime/helpers/createClass */ "./node_modules/babel-runtime/helpers/createClass.js"); - cue.align = 'left'; - // Clamp the position between 0 and 100 - if out of these bounds, Firefox throws an exception and captions break - cue.position = Math.max(0, Math.min(100, 100 * (indent / 32) + (navigator.userAgent.match(/Firefox\//) ? 50 : 0))); - track.addCue(cue); - } - } - } -// CONCATENATED MODULE: ./src/utils/cea-608-parser.js - function cea_608_parser__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + var _createClass3 = _interopRequireDefault(_createClass2); - /** - * - * This code was ported from the dash.js project at: - * https://github.com/Dash-Industry-Forum/dash.js/blob/development/externals/cea608-parser.js - * https://github.com/Dash-Industry-Forum/dash.js/commit/8269b26a761e0853bb21d78780ed945144ecdd4d#diff-71bc295a2d6b6b7093a1d3290d53a4b2 - * - * The original copyright appears below: - * - * The copyright in this software is being made available under the BSD License, - * included below. This software may be subject to other third party and contributor - * rights, including patent rights, and no such rights are granted under this license. - * - * Copyright (c) 2015-2016, DASH Industry Forum. - * All rights reserved. - * - * Redistribution and use in source and binary forms, with or without modification, - * are permitted provided that the following conditions are met: - * 1. Redistributions of source code must retain the above copyright notice, this - * list of conditions and the following disclaimer. - * * Redistributions in binary form must reproduce the above copyright notice, - * this list of conditions and the following disclaimer in the documentation and/or - * other materials provided with the distribution. - * 2. Neither the name of Dash Industry Forum nor the names of its - * contributors may be used to endorse or promote products derived from this software - * without specific prior written permission. - * - * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY - * EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED - * WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. - * IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, - * INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT - * NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR - * PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, - * WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) - * ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE - * POSSIBILITY OF SUCH DAMAGE. - */ - /** - * Exceptions from regular ASCII. CodePoints are mapped to UTF-16 codes - */ + var _inherits2 = __webpack_require__(/*! babel-runtime/helpers/inherits */ "./node_modules/babel-runtime/helpers/inherits.js"); - var specialCea608CharsCodes = { - 0x2a: 0xe1, // lowercase a, acute accent - 0x5c: 0xe9, // lowercase e, acute accent - 0x5e: 0xed, // lowercase i, acute accent - 0x5f: 0xf3, // lowercase o, acute accent - 0x60: 0xfa, // lowercase u, acute accent - 0x7b: 0xe7, // lowercase c with cedilla - 0x7c: 0xf7, // division symbol - 0x7d: 0xd1, // uppercase N tilde - 0x7e: 0xf1, // lowercase n tilde - 0x7f: 0x2588, // Full block - // THIS BLOCK INCLUDES THE 16 EXTENDED (TWO-BYTE) LINE 21 CHARACTERS - // THAT COME FROM HI BYTE=0x11 AND LOW BETWEEN 0x30 AND 0x3F - // THIS MEANS THAT \x50 MUST BE ADDED TO THE VALUES - 0x80: 0xae, // Registered symbol (R) - 0x81: 0xb0, // degree sign - 0x82: 0xbd, // 1/2 symbol - 0x83: 0xbf, // Inverted (open) question mark - 0x84: 0x2122, // Trademark symbol (TM) - 0x85: 0xa2, // Cents symbol - 0x86: 0xa3, // Pounds sterling - 0x87: 0x266a, // Music 8'th note - 0x88: 0xe0, // lowercase a, grave accent - 0x89: 0x20, // transparent space (regular) - 0x8a: 0xe8, // lowercase e, grave accent - 0x8b: 0xe2, // lowercase a, circumflex accent - 0x8c: 0xea, // lowercase e, circumflex accent - 0x8d: 0xee, // lowercase i, circumflex accent - 0x8e: 0xf4, // lowercase o, circumflex accent - 0x8f: 0xfb, // lowercase u, circumflex accent - // THIS BLOCK INCLUDES THE 32 EXTENDED (TWO-BYTE) LINE 21 CHARACTERS - // THAT COME FROM HI BYTE=0x12 AND LOW BETWEEN 0x20 AND 0x3F - 0x90: 0xc1, // capital letter A with acute - 0x91: 0xc9, // capital letter E with acute - 0x92: 0xd3, // capital letter O with acute - 0x93: 0xda, // capital letter U with acute - 0x94: 0xdc, // capital letter U with diaresis - 0x95: 0xfc, // lowercase letter U with diaeresis - 0x96: 0x2018, // opening single quote - 0x97: 0xa1, // inverted exclamation mark - 0x98: 0x2a, // asterisk - 0x99: 0x2019, // closing single quote - 0x9a: 0x2501, // box drawings heavy horizontal - 0x9b: 0xa9, // copyright sign - 0x9c: 0x2120, // Service mark - 0x9d: 0x2022, // (round) bullet - 0x9e: 0x201c, // Left double quotation mark - 0x9f: 0x201d, // Right double quotation mark - 0xa0: 0xc0, // uppercase A, grave accent - 0xa1: 0xc2, // uppercase A, circumflex - 0xa2: 0xc7, // uppercase C with cedilla - 0xa3: 0xc8, // uppercase E, grave accent - 0xa4: 0xca, // uppercase E, circumflex - 0xa5: 0xcb, // capital letter E with diaresis - 0xa6: 0xeb, // lowercase letter e with diaresis - 0xa7: 0xce, // uppercase I, circumflex - 0xa8: 0xcf, // uppercase I, with diaresis - 0xa9: 0xef, // lowercase i, with diaresis - 0xaa: 0xd4, // uppercase O, circumflex - 0xab: 0xd9, // uppercase U, grave accent - 0xac: 0xf9, // lowercase u, grave accent - 0xad: 0xdb, // uppercase U, circumflex - 0xae: 0xab, // left-pointing double angle quotation mark - 0xaf: 0xbb, // right-pointing double angle quotation mark - // THIS BLOCK INCLUDES THE 32 EXTENDED (TWO-BYTE) LINE 21 CHARACTERS - // THAT COME FROM HI BYTE=0x13 AND LOW BETWEEN 0x20 AND 0x3F - 0xb0: 0xc3, // Uppercase A, tilde - 0xb1: 0xe3, // Lowercase a, tilde - 0xb2: 0xcd, // Uppercase I, acute accent - 0xb3: 0xcc, // Uppercase I, grave accent - 0xb4: 0xec, // Lowercase i, grave accent - 0xb5: 0xd2, // Uppercase O, grave accent - 0xb6: 0xf2, // Lowercase o, grave accent - 0xb7: 0xd5, // Uppercase O, tilde - 0xb8: 0xf5, // Lowercase o, tilde - 0xb9: 0x7b, // Open curly brace - 0xba: 0x7d, // Closing curly brace - 0xbb: 0x5c, // Backslash - 0xbc: 0x5e, // Caret - 0xbd: 0x5f, // Underscore - 0xbe: 0x7c, // Pipe (vertical line) - 0xbf: 0x223c, // Tilde operator - 0xc0: 0xc4, // Uppercase A, umlaut - 0xc1: 0xe4, // Lowercase A, umlaut - 0xc2: 0xd6, // Uppercase O, umlaut - 0xc3: 0xf6, // Lowercase o, umlaut - 0xc4: 0xdf, // Esszett (sharp S) - 0xc5: 0xa5, // Yen symbol - 0xc6: 0xa4, // Generic currency sign - 0xc7: 0x2503, // Box drawings heavy vertical - 0xc8: 0xc5, // Uppercase A, ring - 0xc9: 0xe5, // Lowercase A, ring - 0xca: 0xd8, // Uppercase O, stroke - 0xcb: 0xf8, // Lowercase o, strok - 0xcc: 0x250f, // Box drawings heavy down and right - 0xcd: 0x2513, // Box drawings heavy down and left - 0xce: 0x2517, // Box drawings heavy up and right - 0xcf: 0x251b // Box drawings heavy up and left - }; + var _inherits3 = _interopRequireDefault(_inherits2); - /** - * Utils - */ - var getCharForByte = function getCharForByte(byte) { - var charCode = byte; - if (specialCea608CharsCodes.hasOwnProperty(byte)) { - charCode = specialCea608CharsCodes[byte]; - } + var _utils = __webpack_require__(/*! ../../base/utils */ "./src/base/utils.js"); - return String.fromCharCode(charCode); - }; + var _base_flash_playback = __webpack_require__(/*! ../../playbacks/base_flash_playback */ "./src/playbacks/base_flash_playback/index.js"); - var NR_ROWS = 15, - NR_COLS = 100; -// Tables to look up row from PAC data - var rowsLowCh1 = { 0x11: 1, 0x12: 3, 0x15: 5, 0x16: 7, 0x17: 9, 0x10: 11, 0x13: 12, 0x14: 14 }; - var rowsHighCh1 = { 0x11: 2, 0x12: 4, 0x15: 6, 0x16: 8, 0x17: 10, 0x13: 13, 0x14: 15 }; - var rowsLowCh2 = { 0x19: 1, 0x1A: 3, 0x1D: 5, 0x1E: 7, 0x1F: 9, 0x18: 11, 0x1B: 12, 0x1C: 14 }; - var rowsHighCh2 = { 0x19: 2, 0x1A: 4, 0x1D: 6, 0x1E: 8, 0x1F: 10, 0x1B: 13, 0x1C: 15 }; + var _base_flash_playback2 = _interopRequireDefault(_base_flash_playback); - var backgroundColors = ['white', 'green', 'blue', 'cyan', 'red', 'yellow', 'magenta', 'black', 'transparent']; + var _browser = __webpack_require__(/*! ../../components/browser */ "./src/components/browser/index.js"); - /** - * Simple logger class to be able to write with time-stamps and filter on level. - */ - var cea_608_parser_logger = { - verboseFilter: { 'DATA': 3, 'DEBUG': 3, 'INFO': 2, 'WARNING': 2, 'TEXT': 1, 'ERROR': 0 }, - time: null, - verboseLevel: 0, // Only write errors - setTime: function setTime(newTime) { - this.time = newTime; - }, - log: function log(severity, msg) { - var minLevel = this.verboseFilter[severity]; - if (this.verboseLevel >= minLevel) { - // console.log(this.time + ' [' + severity + '] ' + msg); - } - } - }; + var _browser2 = _interopRequireDefault(_browser); - var numArrayToHexArray = function numArrayToHexArray(numArray) { - var hexArray = []; - for (var j = 0; j < numArray.length; j++) { - hexArray.push(numArray[j].toString(16)); - } + var _mediator = __webpack_require__(/*! ../../components/mediator */ "./src/components/mediator.js"); - return hexArray; - }; + var _mediator2 = _interopRequireDefault(_mediator); - var PenState = function () { - function PenState(foreground, underline, italics, background, flash) { - cea_608_parser__classCallCheck(this, PenState); + var _template = __webpack_require__(/*! ../../base/template */ "./src/base/template.js"); - this.foreground = foreground || 'white'; - this.underline = underline || false; - this.italics = italics || false; - this.background = background || 'black'; - this.flash = flash || false; - } + var _template2 = _interopRequireDefault(_template); - PenState.prototype.reset = function reset() { - this.foreground = 'white'; - this.underline = false; - this.italics = false; - this.background = 'black'; - this.flash = false; - }; + var _clapprZepto = __webpack_require__(/*! clappr-zepto */ "./node_modules/clappr-zepto/zepto.js"); - PenState.prototype.setStyles = function setStyles(styles) { - var attribs = ['foreground', 'underline', 'italics', 'background', 'flash']; - for (var i = 0; i < attribs.length; i++) { - var style = attribs[i]; - if (styles.hasOwnProperty(style)) { - this[style] = styles[style]; - } - } - }; + var _clapprZepto2 = _interopRequireDefault(_clapprZepto); - PenState.prototype.isDefault = function isDefault() { - return this.foreground === 'white' && !this.underline && !this.italics && this.background === 'black' && !this.flash; - }; + var _events = __webpack_require__(/*! ../../base/events */ "./src/base/events.js"); - PenState.prototype.equals = function equals(other) { - return this.foreground === other.foreground && this.underline === other.underline && this.italics === other.italics && this.background === other.background && this.flash === other.flash; - }; + var _events2 = _interopRequireDefault(_events); - PenState.prototype.copy = function copy(newPenState) { - this.foreground = newPenState.foreground; - this.underline = newPenState.underline; - this.italics = newPenState.italics; - this.background = newPenState.background; - this.flash = newPenState.flash; - }; + var _playback = __webpack_require__(/*! ../../base/playback */ "./src/base/playback.js"); - PenState.prototype.toString = function toString() { - return 'color=' + this.foreground + ', underline=' + this.underline + ', italics=' + this.italics + ', background=' + this.background + ', flash=' + this.flash; - }; + var _playback2 = _interopRequireDefault(_playback); - return PenState; - }(); + var _Player = __webpack_require__(/*! ./public/Player.swf */ "./src/playbacks/flash/public/Player.swf"); - /** - * Unicode character with styling and background. - * @constructor - */ + var _Player2 = _interopRequireDefault(_Player); + + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + var MAX_ATTEMPTS = 60; // Copyright 2014 Globo.com Player authors. All rights reserved. +// Use of this source code is governed by a BSD-style +// license that can be found in the LICENSE file. - var StyledUnicodeChar = function () { - function StyledUnicodeChar(uchar, foreground, underline, italics, background, flash) { - cea_608_parser__classCallCheck(this, StyledUnicodeChar); + var Flash = function (_BaseFlashPlayback) { + (0, _inherits3.default)(Flash, _BaseFlashPlayback); + (0, _createClass3.default)(Flash, [{ + key: 'name', + get: function get() { + return 'flash'; + } + }, { + key: 'swfPath', + get: function get() { + return (0, _template2.default)(_Player2.default)({ baseUrl: this._baseUrl }); + } - this.uchar = uchar || ' '; // unicode character - this.penState = new PenState(foreground, underline, italics, background, flash); - } + /** + * Determine if the playback has ended. + * @property ended + * @type Boolean + */ - StyledUnicodeChar.prototype.reset = function reset() { - this.uchar = ' '; - this.penState.reset(); - }; + }, { + key: 'ended', + get: function get() { + return this._currentState === 'ENDED'; + } - StyledUnicodeChar.prototype.setChar = function setChar(uchar, newPenState) { - this.uchar = uchar; - this.penState.copy(newPenState); - }; + /** + * Determine if the playback is buffering. + * This is related to the PLAYBACK_BUFFERING and PLAYBACK_BUFFERFULL events + * @property buffering + * @type Boolean + */ - StyledUnicodeChar.prototype.setPenState = function setPenState(newPenState) { - this.penState.copy(newPenState); - }; + }, { + key: 'buffering', + get: function get() { + return !!this._bufferingState && this._currentState !== 'ENDED'; + } + }]); - StyledUnicodeChar.prototype.equals = function equals(other) { - return this.uchar === other.uchar && this.penState.equals(other.penState); - }; + function Flash() { + (0, _classCallCheck3.default)(this, Flash); - StyledUnicodeChar.prototype.copy = function copy(newChar) { - this.uchar = newChar.uchar; - this.penState.copy(newChar.penState); - }; + for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) { + args[_key] = arguments[_key]; + } - StyledUnicodeChar.prototype.isEmpty = function isEmpty() { - return this.uchar === ' ' && this.penState.isDefault(); - }; + var _this = (0, _possibleConstructorReturn3.default)(this, _BaseFlashPlayback.call.apply(_BaseFlashPlayback, [this].concat(args))); - return StyledUnicodeChar; - }(); + _this._src = _this.options.src; + _this._baseUrl = _this.options.baseUrl; + _this._autoPlay = _this.options.autoPlay; + _this.settings = { default: ['seekbar'] }; + _this.settings.left = ['playpause', 'position', 'duration']; + _this.settings.right = ['fullscreen', 'volume']; + _this.settings.seekEnabled = true; + _this._isReadyState = false; + _this._addListeners(); + return _this; + } - /** - * CEA-608 row consisting of NR_COLS instances of StyledUnicodeChar. - * @constructor - */ + Flash.prototype._bootstrap = function _bootstrap() { + var _this2 = this; + if (this.el.playerPlay) { + this.el.width = '100%'; + this.el.height = '100%'; + if (this._currentState === 'PLAYING') { + this._firstPlay(); + } else { + this._currentState = 'IDLE'; + this._autoPlay && this.play(); + } + (0, _clapprZepto2.default)('<div style="position: absolute; top: 0; left: 0; width: 100%; height: 100%" />').insertAfter(this.$el); + if (this.getDuration() > 0) this._metadataLoaded();else _mediator2.default.once(this.uniqueId + ':timeupdate', this._metadataLoaded, this); + } else { + this._attempts = this._attempts || 0; + if (++this._attempts <= MAX_ATTEMPTS) setTimeout(function () { + return _this2._bootstrap(); + }, 50);else this.trigger(_events2.default.PLAYBACK_ERROR, { message: 'Max number of attempts reached' }, this.name); + } + }; - var Row = function () { - function Row() { - cea_608_parser__classCallCheck(this, Row); + Flash.prototype._metadataLoaded = function _metadataLoaded() { + this._isReadyState = true; + this.trigger(_events2.default.PLAYBACK_READY, this.name); + this.trigger(_events2.default.PLAYBACK_SETTINGSUPDATE, this.name); + }; - this.chars = []; - for (var i = 0; i < NR_COLS; i++) { - this.chars.push(new StyledUnicodeChar()); - } + Flash.prototype.getPlaybackType = function getPlaybackType() { + return _playback2.default.VOD; + }; - this.pos = 0; - this.currPenState = new PenState(); - } + Flash.prototype.isHighDefinitionInUse = function isHighDefinitionInUse() { + return false; + }; - Row.prototype.equals = function equals(other) { - var equal = true; - for (var i = 0; i < NR_COLS; i++) { - if (!this.chars[i].equals(other.chars[i])) { - equal = false; - break; - } - } - return equal; - }; + Flash.prototype._updateTime = function _updateTime() { + this.trigger(_events2.default.PLAYBACK_TIMEUPDATE, { current: this.el.getPosition(), total: this.el.getDuration() }, this.name); + }; - Row.prototype.copy = function copy(other) { - for (var i = 0; i < NR_COLS; i++) { - this.chars[i].copy(other.chars[i]); - } - }; + Flash.prototype._addListeners = function _addListeners() { + _mediator2.default.on(this.uniqueId + ':progress', this._progress, this); + _mediator2.default.on(this.uniqueId + ':timeupdate', this._updateTime, this); + _mediator2.default.on(this.uniqueId + ':statechanged', this._checkState, this); + _mediator2.default.on(this.uniqueId + ':flashready', this._bootstrap, this); + }; - Row.prototype.isEmpty = function isEmpty() { - var empty = true; - for (var i = 0; i < NR_COLS; i++) { - if (!this.chars[i].isEmpty()) { - empty = false; - break; - } - } - return empty; - }; + Flash.prototype.stopListening = function stopListening() { + _BaseFlashPlayback.prototype.stopListening.call(this); + _mediator2.default.off(this.uniqueId + ':progress'); + _mediator2.default.off(this.uniqueId + ':timeupdate'); + _mediator2.default.off(this.uniqueId + ':statechanged'); + _mediator2.default.off(this.uniqueId + ':flashready'); + }; - /** - * Set the cursor to a valid column. - */ + Flash.prototype._checkState = function _checkState() { + if (this._isIdle || this._currentState === 'PAUSED') { + return; + } else if (this._currentState !== 'PLAYING_BUFFERING' && this.el.getState() === 'PLAYING_BUFFERING') { + this._bufferingState = true; + this.trigger(_events2.default.PLAYBACK_BUFFERING, this.name); + this._currentState = 'PLAYING_BUFFERING'; + } else if (this.el.getState() === 'PLAYING') { + this._bufferingState = false; + this.trigger(_events2.default.PLAYBACK_BUFFERFULL, this.name); + this._currentState = 'PLAYING'; + } else if (this.el.getState() === 'IDLE') { + this._currentState = 'IDLE'; + } else if (this.el.getState() === 'ENDED') { + this.trigger(_events2.default.PLAYBACK_ENDED, this.name); + this.trigger(_events2.default.PLAYBACK_TIMEUPDATE, { current: 0, total: this.el.getDuration() }, this.name); + this._currentState = 'ENDED'; + this._isIdle = true; + } + }; + Flash.prototype._progress = function _progress() { + if (this._currentState !== 'IDLE' && this._currentState !== 'ENDED') { + this.trigger(_events2.default.PLAYBACK_PROGRESS, { + start: 0, + current: this.el.getBytesLoaded(), + total: this.el.getBytesTotal() + }); + } + }; - Row.prototype.setCursor = function setCursor(absPos) { - if (this.pos !== absPos) { - this.pos = absPos; - } + Flash.prototype._firstPlay = function _firstPlay() { + var _this3 = this; - if (this.pos < 0) { - cea_608_parser_logger.log('ERROR', 'Negative cursor position ' + this.pos); - this.pos = 0; - } else if (this.pos > NR_COLS) { - cea_608_parser_logger.log('ERROR', 'Too large cursor position ' + this.pos); - this.pos = NR_COLS; - } - }; + if (this.el.playerPlay) { + this._isIdle = false; + this.el.playerPlay(this._src); + this.listenToOnce(this, _events2.default.PLAYBACK_BUFFERFULL, function () { + return _this3._checkInitialSeek(); + }); + this._currentState = 'PLAYING'; + } else { + this.listenToOnce(this, _events2.default.PLAYBACK_READY, this._firstPlay); + } + }; - /** - * Move the cursor relative to current position. - */ + Flash.prototype._checkInitialSeek = function _checkInitialSeek() { + var seekTime = (0, _utils.seekStringToSeconds)(window.location.href); + if (seekTime !== 0) this.seekSeconds(seekTime); + }; + Flash.prototype.play = function play() { + this.trigger(_events2.default.PLAYBACK_PLAY_INTENT); + if (this._currentState === 'PAUSED' || this._currentState === 'PLAYING_BUFFERING') { + this._currentState = 'PLAYING'; + this.el.playerResume(); + this.trigger(_events2.default.PLAYBACK_PLAY, this.name); + } else if (this._currentState !== 'PLAYING') { + this._firstPlay(); + this.trigger(_events2.default.PLAYBACK_PLAY, this.name); + } + }; - Row.prototype.moveCursor = function moveCursor(relPos) { - var newPos = this.pos + relPos; - if (relPos > 1) { - for (var i = this.pos + 1; i < newPos + 1; i++) { - this.chars[i].setPenState(this.currPenState); - } - } - this.setCursor(newPos); - }; + Flash.prototype.volume = function volume(value) { + var _this4 = this; - /** - * Backspace, move one step back and clear character. - */ + if (this.isReady) this.el.playerVolume(value);else this.listenToOnce(this, _events2.default.PLAYBACK_BUFFERFULL, function () { + return _this4.volume(value); + }); + }; + Flash.prototype.pause = function pause() { + this._currentState = 'PAUSED'; + this.el.playerPause(); + this.trigger(_events2.default.PLAYBACK_PAUSE, this.name); + }; - Row.prototype.backSpace = function backSpace() { - this.moveCursor(-1); - this.chars[this.pos].setChar(' ', this.currPenState); - }; + Flash.prototype.stop = function stop() { + this.el.playerStop(); + this.trigger(_events2.default.PLAYBACK_STOP); + this.trigger(_events2.default.PLAYBACK_TIMEUPDATE, { current: 0, total: 0 }, this.name); + }; - Row.prototype.insertChar = function insertChar(byte) { - if (byte >= 0x90) { - // Extended char - this.backSpace(); - } - var char = getCharForByte(byte); - if (this.pos >= NR_COLS) { - cea_608_parser_logger.log('ERROR', 'Cannot insert ' + byte.toString(16) + ' (' + char + ') at position ' + this.pos + '. Skipping it!'); - return; - } - this.chars[this.pos].setChar(char, this.currPenState); - this.moveCursor(1); - }; + Flash.prototype.isPlaying = function isPlaying() { + return !!(this.isReady && this._currentState.indexOf('PLAYING') > -1); + }; - Row.prototype.clearFromPos = function clearFromPos(startPos) { - var i = void 0; - for (i = startPos; i < NR_COLS; i++) { - this.chars[i].reset(); - } - }; + Flash.prototype.getDuration = function getDuration() { + return this.el.getDuration(); + }; - Row.prototype.clear = function clear() { - this.clearFromPos(0); - this.pos = 0; - this.currPenState.reset(); - }; + Flash.prototype.seekPercentage = function seekPercentage(percentage) { + var _this5 = this; - Row.prototype.clearToEndOfRow = function clearToEndOfRow() { - this.clearFromPos(this.pos); - }; + if (this.el.getDuration() > 0) { + var seekSeconds = this.el.getDuration() * (percentage / 100); + this.seek(seekSeconds); + } else { + this.listenToOnce(this, _events2.default.PLAYBACK_BUFFERFULL, function () { + return _this5.seekPercentage(percentage); + }); + } + }; - Row.prototype.getTextString = function getTextString() { - var chars = []; - var empty = true; - for (var i = 0; i < NR_COLS; i++) { - var char = this.chars[i].uchar; - if (char !== ' ') { - empty = false; - } + Flash.prototype.seek = function seek(time) { + var _this6 = this; - chars.push(char); - } - if (empty) { - return ''; - } else { - return chars.join(''); - } - }; + if (this.isReady && this.el.playerSeek) { + this.el.playerSeek(time); + this.trigger(_events2.default.PLAYBACK_TIMEUPDATE, { current: time, total: this.el.getDuration() }, this.name); + if (this._currentState === 'PAUSED') this.el.playerPause(); + } else { + this.listenToOnce(this, _events2.default.PLAYBACK_BUFFERFULL, function () { + return _this6.seek(time); + }); + } + }; - Row.prototype.setPenStyles = function setPenStyles(styles) { - this.currPenState.setStyles(styles); - var currChar = this.chars[this.pos]; - currChar.setPenState(this.currPenState); - }; + Flash.prototype.destroy = function destroy() { + clearInterval(this.bootstrapId); + _BaseFlashPlayback.prototype.stopListening.call(this); + this.$el.remove(); + }; - return Row; - }(); + (0, _createClass3.default)(Flash, [{ + key: 'isReady', + get: function get() { + return this._isReadyState; + } + }]); + return Flash; + }(_base_flash_playback2.default); - /** - * Keep a CEA-608 screen of 32x15 styled characters - * @constructor - */ + exports.default = Flash; - var CaptionScreen = function () { - function CaptionScreen() { - cea_608_parser__classCallCheck(this, CaptionScreen); + Flash.canPlay = function (resource) { + if (!_browser2.default.hasFlash || !resource || resource.constructor !== String) { + return false; + } else { + var resourceParts = resource.split('?')[0].match(/.*\.(.*)$/) || []; + return resourceParts.length > 1 && !_browser2.default.isMobile && resourceParts[1].toLowerCase().match(/^(mp4|mov|f4v|3gpp|3gp)$/); + } + }; + module.exports = exports['default']; - this.rows = []; - for (var i = 0; i < NR_ROWS; i++) { - this.rows.push(new Row()); - } // Note that we use zero-based numbering (0-14) + /***/ }), - this.currRow = NR_ROWS - 1; - this.nrRollUpRows = null; - this.reset(); - } + /***/ "./src/playbacks/flash/index.js": + /*!**************************************!*\ + !*** ./src/playbacks/flash/index.js ***! + \**************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - CaptionScreen.prototype.reset = function reset() { - for (var i = 0; i < NR_ROWS; i++) { - this.rows[i].clear(); - } + "use strict"; - this.currRow = NR_ROWS - 1; - }; - CaptionScreen.prototype.equals = function equals(other) { - var equal = true; - for (var i = 0; i < NR_ROWS; i++) { - if (!this.rows[i].equals(other.rows[i])) { - equal = false; - break; - } - } - return equal; - }; + Object.defineProperty(exports, "__esModule", { + value: true + }); - CaptionScreen.prototype.copy = function copy(other) { - for (var i = 0; i < NR_ROWS; i++) { - this.rows[i].copy(other.rows[i]); - } - }; + var _flash = __webpack_require__(/*! ./flash */ "./src/playbacks/flash/flash.js"); - CaptionScreen.prototype.isEmpty = function isEmpty() { - var empty = true; - for (var i = 0; i < NR_ROWS; i++) { - if (!this.rows[i].isEmpty()) { - empty = false; - break; - } - } - return empty; - }; + var _flash2 = _interopRequireDefault(_flash); - CaptionScreen.prototype.backSpace = function backSpace() { - var row = this.rows[this.currRow]; - row.backSpace(); - }; + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - CaptionScreen.prototype.clearToEndOfRow = function clearToEndOfRow() { - var row = this.rows[this.currRow]; - row.clearToEndOfRow(); - }; + exports.default = _flash2.default; + module.exports = exports['default']; - /** - * Insert a character (without styling) in the current row. - */ + /***/ }), + /***/ "./src/playbacks/flash/public/Player.swf": + /*!***********************************************!*\ + !*** ./src/playbacks/flash/public/Player.swf ***! + \***********************************************/ + /*! no static exports found */ + /***/ (function(module, exports) { - CaptionScreen.prototype.insertChar = function insertChar(char) { - var row = this.rows[this.currRow]; - row.insertChar(char); - }; + module.exports = "<%=baseUrl%>/4b76590b32dab62bc95c1b7951efae78.swf"; - CaptionScreen.prototype.setPen = function setPen(styles) { - var row = this.rows[this.currRow]; - row.setPenStyles(styles); - }; + /***/ }), - CaptionScreen.prototype.moveCursor = function moveCursor(relPos) { - var row = this.rows[this.currRow]; - row.moveCursor(relPos); - }; + /***/ "./src/playbacks/flashls/flashls.js": + /*!******************************************!*\ + !*** ./src/playbacks/flashls/flashls.js ***! + \******************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - CaptionScreen.prototype.setCursor = function setCursor(absPos) { - cea_608_parser_logger.log('INFO', 'setCursor: ' + absPos); - var row = this.rows[this.currRow]; - row.setCursor(absPos); - }; + "use strict"; - CaptionScreen.prototype.setPAC = function setPAC(pacData) { - cea_608_parser_logger.log('INFO', 'pacData = ' + JSON.stringify(pacData)); - var newRow = pacData.row - 1; - if (this.nrRollUpRows && newRow < this.nrRollUpRows - 1) { - newRow = this.nrRollUpRows - 1; - } - // Make sure this only affects Roll-up Captions by checking this.nrRollUpRows - if (this.nrRollUpRows && this.currRow !== newRow) { - // clear all rows first - for (var i = 0; i < NR_ROWS; i++) { - this.rows[i].clear(); - } + Object.defineProperty(exports, "__esModule", { + value: true + }); - // Copy this.nrRollUpRows rows from lastOutputScreen and place it in the newRow location - // topRowIndex - the start of rows to copy (inclusive index) - var topRowIndex = this.currRow + 1 - this.nrRollUpRows; - // We only copy if the last position was already shown. - // We use the cueStartTime value to check this. - var lastOutputScreen = this.lastOutputScreen; - if (lastOutputScreen) { - var prevLineTime = lastOutputScreen.rows[topRowIndex].cueStartTime; - if (prevLineTime && prevLineTime < cea_608_parser_logger.time) { - for (var _i = 0; _i < this.nrRollUpRows; _i++) { - this.rows[newRow - this.nrRollUpRows + _i + 1].copy(lastOutputScreen.rows[topRowIndex + _i]); - } - } - } - } + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); - this.currRow = newRow; - var row = this.rows[this.currRow]; - if (pacData.indent !== null) { - var indent = pacData.indent; - var prevPos = Math.max(indent - 1, 0); - row.setCursor(pacData.indent); - pacData.color = row.chars[prevPos].penState.foreground; - } - var styles = { foreground: pacData.color, underline: pacData.underline, italics: pacData.italics, background: 'black', flash: false }; - this.setPen(styles); - }; + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); - /** - * Set background/extra foreground, but first do back_space, and then insert space (backwards compatibility). - */ + var _possibleConstructorReturn2 = __webpack_require__(/*! babel-runtime/helpers/possibleConstructorReturn */ "./node_modules/babel-runtime/helpers/possibleConstructorReturn.js"); + var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); - CaptionScreen.prototype.setBkgData = function setBkgData(bkgData) { - cea_608_parser_logger.log('INFO', 'bkgData = ' + JSON.stringify(bkgData)); - this.backSpace(); - this.setPen(bkgData); - this.insertChar(0x20); // Space - }; + var _createClass2 = __webpack_require__(/*! babel-runtime/helpers/createClass */ "./node_modules/babel-runtime/helpers/createClass.js"); - CaptionScreen.prototype.setRollUpRows = function setRollUpRows(nrRows) { - this.nrRollUpRows = nrRows; - }; + var _createClass3 = _interopRequireDefault(_createClass2); - CaptionScreen.prototype.rollUp = function rollUp() { - if (this.nrRollUpRows === null) { - cea_608_parser_logger.log('DEBUG', 'roll_up but nrRollUpRows not set yet'); - return; // Not properly setup - } - cea_608_parser_logger.log('TEXT', this.getDisplayText()); - var topRowIndex = this.currRow + 1 - this.nrRollUpRows; - var topRow = this.rows.splice(topRowIndex, 1)[0]; - topRow.clear(); - this.rows.splice(this.currRow, 0, topRow); - cea_608_parser_logger.log('INFO', 'Rolling up'); - // logger.log('TEXT', this.get_display_text()) - }; + var _inherits2 = __webpack_require__(/*! babel-runtime/helpers/inherits */ "./node_modules/babel-runtime/helpers/inherits.js"); - /** - * Get all non-empty rows with as unicode text. - */ + var _inherits3 = _interopRequireDefault(_inherits2); + var _base_flash_playback = __webpack_require__(/*! ../../playbacks/base_flash_playback */ "./src/playbacks/base_flash_playback/index.js"); - CaptionScreen.prototype.getDisplayText = function getDisplayText(asOneRow) { - asOneRow = asOneRow || false; - var displayText = []; - var text = ''; - var rowNr = -1; - for (var i = 0; i < NR_ROWS; i++) { - var rowText = this.rows[i].getTextString(); - if (rowText) { - rowNr = i + 1; - if (asOneRow) { - displayText.push('Row ' + rowNr + ': \'' + rowText + '\''); - } else { - displayText.push(rowText.trim()); - } - } - } - if (displayText.length > 0) { - if (asOneRow) { - text = '[' + displayText.join(' | ') + ']'; - } else { - text = displayText.join('\n'); - } - } - return text; - }; + var _base_flash_playback2 = _interopRequireDefault(_base_flash_playback); - CaptionScreen.prototype.getTextAndFormat = function getTextAndFormat() { - return this.rows; - }; + var _events = __webpack_require__(/*! ../../base/events */ "./src/base/events.js"); - return CaptionScreen; - }(); - -// var modes = ['MODE_ROLL-UP', 'MODE_POP-ON', 'MODE_PAINT-ON', 'MODE_TEXT']; - - var Cea608Channel = function () { - function Cea608Channel(channelNumber, outputFilter) { - cea_608_parser__classCallCheck(this, Cea608Channel); - - this.chNr = channelNumber; - this.outputFilter = outputFilter; - this.mode = null; - this.verbose = 0; - this.displayedMemory = new CaptionScreen(); - this.nonDisplayedMemory = new CaptionScreen(); - this.lastOutputScreen = new CaptionScreen(); - this.currRollUpRow = this.displayedMemory.rows[NR_ROWS - 1]; - this.writeScreen = this.displayedMemory; - this.mode = null; - this.cueStartTime = null; // Keeps track of where a cue started. - } + var _events2 = _interopRequireDefault(_events); - Cea608Channel.prototype.reset = function reset() { - this.mode = null; - this.displayedMemory.reset(); - this.nonDisplayedMemory.reset(); - this.lastOutputScreen.reset(); - this.currRollUpRow = this.displayedMemory.rows[NR_ROWS - 1]; - this.writeScreen = this.displayedMemory; - this.mode = null; - this.cueStartTime = null; - this.lastCueEndTime = null; - }; + var _template = __webpack_require__(/*! ../../base/template */ "./src/base/template.js"); - Cea608Channel.prototype.getHandler = function getHandler() { - return this.outputFilter; - }; + var _template2 = _interopRequireDefault(_template); - Cea608Channel.prototype.setHandler = function setHandler(newHandler) { - this.outputFilter = newHandler; - }; + var _playback = __webpack_require__(/*! ../../base/playback */ "./src/base/playback.js"); - Cea608Channel.prototype.setPAC = function setPAC(pacData) { - this.writeScreen.setPAC(pacData); - }; + var _playback2 = _interopRequireDefault(_playback); - Cea608Channel.prototype.setBkgData = function setBkgData(bkgData) { - this.writeScreen.setBkgData(bkgData); - }; + var _mediator = __webpack_require__(/*! ../../components/mediator */ "./src/components/mediator.js"); - Cea608Channel.prototype.setMode = function setMode(newMode) { - if (newMode === this.mode) { - return; - } + var _mediator2 = _interopRequireDefault(_mediator); - this.mode = newMode; - cea_608_parser_logger.log('INFO', 'MODE=' + newMode); - if (this.mode === 'MODE_POP-ON') { - this.writeScreen = this.nonDisplayedMemory; - } else { - this.writeScreen = this.displayedMemory; - this.writeScreen.reset(); - } - if (this.mode !== 'MODE_ROLL-UP') { - this.displayedMemory.nrRollUpRows = null; - this.nonDisplayedMemory.nrRollUpRows = null; - } - this.mode = newMode; - }; + var _browser = __webpack_require__(/*! ../../components/browser */ "./src/components/browser/index.js"); - Cea608Channel.prototype.insertChars = function insertChars(chars) { - for (var i = 0; i < chars.length; i++) { - this.writeScreen.insertChar(chars[i]); - } + var _browser2 = _interopRequireDefault(_browser); - var screen = this.writeScreen === this.displayedMemory ? 'DISP' : 'NON_DISP'; - cea_608_parser_logger.log('INFO', screen + ': ' + this.writeScreen.getDisplayText(true)); - if (this.mode === 'MODE_PAINT-ON' || this.mode === 'MODE_ROLL-UP') { - cea_608_parser_logger.log('TEXT', 'DISPLAYED: ' + this.displayedMemory.getDisplayText(true)); - this.outputDataUpdate(); - } - }; + var _error = __webpack_require__(/*! ../../components/error */ "./src/components/error/index.js"); - Cea608Channel.prototype.ccRCL = function ccRCL() { - // Resume Caption Loading (switch mode to Pop On) - cea_608_parser_logger.log('INFO', 'RCL - Resume Caption Loading'); - this.setMode('MODE_POP-ON'); - }; + var _error2 = _interopRequireDefault(_error); - Cea608Channel.prototype.ccBS = function ccBS() { - // BackSpace - cea_608_parser_logger.log('INFO', 'BS - BackSpace'); - if (this.mode === 'MODE_TEXT') { - return; - } + var _flashls_events = __webpack_require__(/*! ./flashls_events */ "./src/playbacks/flashls/flashls_events.js"); - this.writeScreen.backSpace(); - if (this.writeScreen === this.displayedMemory) { - this.outputDataUpdate(); - } - }; + var _flashls_events2 = _interopRequireDefault(_flashls_events); - Cea608Channel.prototype.ccAOF = function ccAOF() {// Reserved (formerly Alarm Off) + var _HLSPlayer = __webpack_require__(/*! ./public/HLSPlayer.swf */ "./src/playbacks/flashls/public/HLSPlayer.swf"); - }; + var _HLSPlayer2 = _interopRequireDefault(_HLSPlayer); - Cea608Channel.prototype.ccAON = function ccAON() {// Reserved (formerly Alarm On) + var _clapprZepto = __webpack_require__(/*! clappr-zepto */ "./node_modules/clappr-zepto/zepto.js"); - }; + var _clapprZepto2 = _interopRequireDefault(_clapprZepto); - Cea608Channel.prototype.ccDER = function ccDER() { - // Delete to End of Row - cea_608_parser_logger.log('INFO', 'DER- Delete to End of Row'); - this.writeScreen.clearToEndOfRow(); - this.outputDataUpdate(); - }; + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - Cea608Channel.prototype.ccRU = function ccRU(nrRows) { - // Roll-Up Captions-2,3,or 4 Rows - cea_608_parser_logger.log('INFO', 'RU(' + nrRows + ') - Roll Up'); - this.writeScreen = this.displayedMemory; - this.setMode('MODE_ROLL-UP'); - this.writeScreen.setRollUpRows(nrRows); - }; +// Copyright 2014 Globo.com Player authors. All rights reserved. +// Use of this source code is governed by a BSD-style +// license that can be found in the LICENSE file. - Cea608Channel.prototype.ccFON = function ccFON() { - // Flash On - cea_608_parser_logger.log('INFO', 'FON - Flash On'); - this.writeScreen.setPen({ flash: true }); - }; + var MAX_ATTEMPTS = 60; + var AUTO = -1; - Cea608Channel.prototype.ccRDC = function ccRDC() { - // Resume Direct Captioning (switch mode to PaintOn) - cea_608_parser_logger.log('INFO', 'RDC - Resume Direct Captioning'); - this.setMode('MODE_PAINT-ON'); - }; + var FlasHLS = function (_BaseFlashPlayback) { + (0, _inherits3.default)(FlasHLS, _BaseFlashPlayback); + (0, _createClass3.default)(FlasHLS, [{ + key: 'name', + get: function get() { + return 'flashls'; + } + }, { + key: 'swfPath', + get: function get() { + return (0, _template2.default)(_HLSPlayer2.default)({ baseUrl: this._baseUrl }); + } + }, { + key: 'levels', + get: function get() { + return this._levels || []; + } + }, { + key: 'currentLevel', + get: function get() { + if (this._currentLevel === null || this._currentLevel === undefined) return AUTO;else return this._currentLevel; //0 is a valid level ID + }, + set: function set(id) { + this._currentLevel = id; + this.trigger(_events2.default.PLAYBACK_LEVEL_SWITCH_START); + this.el.playerSetCurrentLevel(id); + } - Cea608Channel.prototype.ccTR = function ccTR() { - // Text Restart in text mode (not supported, however) - cea_608_parser_logger.log('INFO', 'TR'); - this.setMode('MODE_TEXT'); - }; + /** + * Determine if the playback has ended. + * @property ended + * @type Boolean + */ - Cea608Channel.prototype.ccRTD = function ccRTD() { - // Resume Text Display in Text mode (not supported, however) - cea_608_parser_logger.log('INFO', 'RTD'); - this.setMode('MODE_TEXT'); - }; + }, { + key: 'ended', + get: function get() { + return this._hasEnded; + } - Cea608Channel.prototype.ccEDM = function ccEDM() { - // Erase Displayed Memory - cea_608_parser_logger.log('INFO', 'EDM - Erase Displayed Memory'); - this.displayedMemory.reset(); - this.outputDataUpdate(true); - }; + /** + * Determine if the playback is buffering. + * This is related to the PLAYBACK_BUFFERING and PLAYBACK_BUFFERFULL events + * @property buffering + * @type Boolean + */ - Cea608Channel.prototype.ccCR = function ccCR() { - // Carriage Return - cea_608_parser_logger.log('CR - Carriage Return'); - this.writeScreen.rollUp(); - this.outputDataUpdate(true); - }; + }, { + key: 'buffering', + get: function get() { + return !!this._bufferingState && !this._hasEnded; + } + }]); - Cea608Channel.prototype.ccENM = function ccENM() { - // Erase Non-Displayed Memory - cea_608_parser_logger.log('INFO', 'ENM - Erase Non-displayed Memory'); - this.nonDisplayedMemory.reset(); - }; + function FlasHLS() { + (0, _classCallCheck3.default)(this, FlasHLS); - Cea608Channel.prototype.ccEOC = function ccEOC() { - // End of Caption (Flip Memories) - cea_608_parser_logger.log('INFO', 'EOC - End Of Caption'); - if (this.mode === 'MODE_POP-ON') { - var tmp = this.displayedMemory; - this.displayedMemory = this.nonDisplayedMemory; - this.nonDisplayedMemory = tmp; - this.writeScreen = this.nonDisplayedMemory; - cea_608_parser_logger.log('TEXT', 'DISP: ' + this.displayedMemory.getDisplayText()); - } - this.outputDataUpdate(true); - }; + for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) { + args[_key] = arguments[_key]; + } - Cea608Channel.prototype.ccTO = function ccTO(nrCols) { - // Tab Offset 1,2, or 3 columns - cea_608_parser_logger.log('INFO', 'TO(' + nrCols + ') - Tab Offset'); - this.writeScreen.moveCursor(nrCols); - }; + var _this = (0, _possibleConstructorReturn3.default)(this, _BaseFlashPlayback.call.apply(_BaseFlashPlayback, [this].concat(args))); + + _this._src = _this.options.src; + _this._baseUrl = _this.options.baseUrl; + _this._initHlsParameters(_this.options); + // TODO can this be private? + _this.highDefinition = false; + _this._autoPlay = _this.options.autoPlay; + _this._loop = _this.options.loop; + _this._defaultSettings = { + left: ['playstop'], + default: ['seekbar'], + right: ['fullscreen', 'volume', 'hd-indicator'], + seekEnabled: false + }; + _this.settings = _clapprZepto2.default.extend({}, _this._defaultSettings); + _this._playbackType = _playback2.default.LIVE; + _this._hasEnded = false; + _this._addListeners(); + return _this; + } - Cea608Channel.prototype.ccMIDROW = function ccMIDROW(secondByte) { - // Parse MIDROW command - var styles = { flash: false }; - styles.underline = secondByte % 2 === 1; - styles.italics = secondByte >= 0x2e; - if (!styles.italics) { - var colorIndex = Math.floor(secondByte / 2) - 0x10; - var colors = ['white', 'green', 'blue', 'cyan', 'red', 'yellow', 'magenta']; - styles.foreground = colors[colorIndex]; - } else { - styles.foreground = 'white'; - } - cea_608_parser_logger.log('INFO', 'MIDROW: ' + JSON.stringify(styles)); - this.writeScreen.setPen(styles); - }; + FlasHLS.prototype._initHlsParameters = function _initHlsParameters(options) { + this._autoStartLoad = options.autoStartLoad === undefined ? true : options.autoStartLoad; + this._capLevelToStage = options.capLevelToStage === undefined ? false : options.capLevelToStage; + this._maxLevelCappingMode = options.maxLevelCappingMode === undefined ? 'downscale' : options.maxLevelCappingMode; + this._minBufferLength = options.minBufferLength === undefined ? -1 : options.minBufferLength; + this._minBufferLengthCapping = options.minBufferLengthCapping === undefined ? -1 : options.minBufferLengthCapping; + this._maxBufferLength = options.maxBufferLength === undefined ? 120 : options.maxBufferLength; + this._maxBackBufferLength = options.maxBackBufferLength === undefined ? 30 : options.maxBackBufferLength; + this._lowBufferLength = options.lowBufferLength === undefined ? 3 : options.lowBufferLength; + this._mediaTimePeriod = options.mediaTimePeriod === undefined ? 100 : options.mediaTimePeriod; + this._fpsDroppedMonitoringPeriod = options.fpsDroppedMonitoringPeriod === undefined ? 5000 : options.fpsDroppedMonitoringPeriod; + this._fpsDroppedMonitoringThreshold = options.fpsDroppedMonitoringThreshold === undefined ? 0.2 : options.fpsDroppedMonitoringThreshold; + this._capLevelonFPSDrop = options.capLevelonFPSDrop === undefined ? false : options.capLevelonFPSDrop; + this._smoothAutoSwitchonFPSDrop = options.smoothAutoSwitchonFPSDrop === undefined ? this.capLevelonFPSDrop : options.smoothAutoSwitchonFPSDrop; + this._switchDownOnLevelError = options.switchDownOnLevelError === undefined ? true : options.switchDownOnLevelError; + this._seekMode = options.seekMode === undefined ? 'ACCURATE' : options.seekMode; + this._keyLoadMaxRetry = options.keyLoadMaxRetry === undefined ? 3 : options.keyLoadMaxRetry; + this._keyLoadMaxRetryTimeout = options.keyLoadMaxRetryTimeout === undefined ? 64000 : options.keyLoadMaxRetryTimeout; + this._fragmentLoadMaxRetry = options.fragmentLoadMaxRetry === undefined ? 3 : options.fragmentLoadMaxRetry; + this._fragmentLoadMaxRetryTimeout = options.fragmentLoadMaxRetryTimeout === undefined ? 4000 : options.fragmentLoadMaxRetryTimeout; + this._fragmentLoadSkipAfterMaxRetry = options.fragmentLoadSkipAfterMaxRetry === undefined ? true : options.fragmentLoadSkipAfterMaxRetry; + this._maxSkippedFragments = options.maxSkippedFragments === undefined ? 5 : options.maxSkippedFragments; + this._flushLiveURLCache = options.flushLiveURLCache === undefined ? false : options.flushLiveURLCache; + this._initialLiveManifestSize = options.initialLiveManifestSize === undefined ? 1 : options.initialLiveManifestSize; + this._manifestLoadMaxRetry = options.manifestLoadMaxRetry === undefined ? 3 : options.manifestLoadMaxRetry; + this._manifestLoadMaxRetryTimeout = options.manifestLoadMaxRetryTimeout === undefined ? 64000 : options.manifestLoadMaxRetryTimeout; + this._manifestRedundantLoadmaxRetry = options.manifestRedundantLoadmaxRetry === undefined ? 3 : options.manifestRedundantLoadmaxRetry; + this._startFromBitrate = options.startFromBitrate === undefined ? -1 : options.startFromBitrate; + this._startFromLevel = options.startFromLevel === undefined ? -1 : options.startFromLevel; + this._autoStartMaxDuration = options.autoStartMaxDuration === undefined ? -1 : options.autoStartMaxDuration; + this._seekFromLevel = options.seekFromLevel === undefined ? -1 : options.seekFromLevel; + this._useHardwareVideoDecoder = options.useHardwareVideoDecoder === undefined ? false : options.useHardwareVideoDecoder; + this._hlsLogEnabled = options.hlsLogEnabled === undefined ? true : options.hlsLogEnabled; + this._logDebug = options.logDebug === undefined ? false : options.logDebug; + this._logDebug2 = options.logDebug2 === undefined ? false : options.logDebug2; + this._logWarn = options.logWarn === undefined ? true : options.logWarn; + this._logError = options.logError === undefined ? true : options.logError; + this._hlsMinimumDvrSize = options.hlsMinimumDvrSize === undefined ? 60 : options.hlsMinimumDvrSize; + }; - Cea608Channel.prototype.outputDataUpdate = function outputDataUpdate() { - var dispatch = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : false; + FlasHLS.prototype._addListeners = function _addListeners() { + var _this2 = this; - var t = cea_608_parser_logger.time; - if (t === null) { - return; - } + _mediator2.default.on(this.cid + ':flashready', function () { + return _this2._bootstrap(); + }); + _mediator2.default.on(this.cid + ':timeupdate', function (timeMetrics) { + return _this2._updateTime(timeMetrics); + }); + _mediator2.default.on(this.cid + ':playbackstate', function (state) { + return _this2._setPlaybackState(state); + }); + _mediator2.default.on(this.cid + ':levelchanged', function (level) { + return _this2._levelChanged(level); + }); + _mediator2.default.on(this.cid + ':error', function (code, url, message) { + return _this2._flashPlaybackError(code, url, message); + }); + _mediator2.default.on(this.cid + ':fragmentloaded', function (loadmetrics) { + return _this2._onFragmentLoaded(loadmetrics); + }); + _mediator2.default.on(this.cid + ':levelendlist', function (level) { + return _this2._onLevelEndlist(level); + }); + }; - if (this.outputFilter) { - if (this.cueStartTime === null && !this.displayedMemory.isEmpty()) { - // Start of a new cue - this.cueStartTime = t; - } else { - if (!this.displayedMemory.equals(this.lastOutputScreen)) { - if (this.outputFilter.newCue) { - this.outputFilter.newCue(this.cueStartTime, t, this.lastOutputScreen); - if (dispatch === true && this.outputFilter.dispatchCue) { - this.outputFilter.dispatchCue(); - } - } - this.cueStartTime = this.displayedMemory.isEmpty() ? null : t; - } - } - this.lastOutputScreen.copy(this.displayedMemory); - } - }; + FlasHLS.prototype.stopListening = function stopListening() { + _BaseFlashPlayback.prototype.stopListening.call(this); + _mediator2.default.off(this.cid + ':flashready'); + _mediator2.default.off(this.cid + ':timeupdate'); + _mediator2.default.off(this.cid + ':playbackstate'); + _mediator2.default.off(this.cid + ':levelchanged'); + _mediator2.default.off(this.cid + ':playbackerror'); + _mediator2.default.off(this.cid + ':fragmentloaded'); + _mediator2.default.off(this.cid + ':manifestloaded'); + _mediator2.default.off(this.cid + ':levelendlist'); + }; - Cea608Channel.prototype.cueSplitAtTime = function cueSplitAtTime(t) { - if (this.outputFilter) { - if (!this.displayedMemory.isEmpty()) { - if (this.outputFilter.newCue) { - this.outputFilter.newCue(this.cueStartTime, t, this.displayedMemory); - } + FlasHLS.prototype._bootstrap = function _bootstrap() { + var _this3 = this; - this.cueStartTime = t; - } - } - }; + if (this.el.playerLoad) { + this.el.width = '100%'; + this.el.height = '100%'; + this._isReadyState = true; + this._srcLoaded = false; + this._currentState = 'IDLE'; + this._setFlashSettings(); + this._updatePlaybackType(); + if (this._autoPlay || this._shouldPlayOnManifestLoaded) this.play(); - return Cea608Channel; - }(); - - var Cea608Parser = function () { - function Cea608Parser(field, out1, out2) { - cea_608_parser__classCallCheck(this, Cea608Parser); - - this.field = field || 1; - this.outputs = [out1, out2]; - this.channels = [new Cea608Channel(1, out1), new Cea608Channel(2, out2)]; - this.currChNr = -1; // Will be 1 or 2 - this.lastCmdA = null; // First byte of last command - this.lastCmdB = null; // Second byte of last command - this.bufferedData = []; - this.startTime = null; - this.lastTime = null; - this.dataCounters = { 'padding': 0, 'char': 0, 'cmd': 0, 'other': 0 }; + this.trigger(_events2.default.PLAYBACK_READY, this.name); + } else { + this._bootstrapAttempts = this._bootstrapAttempts || 0; + if (++this._bootstrapAttempts <= MAX_ATTEMPTS) { + setTimeout(function () { + return _this3._bootstrap(); + }, 50); + } else { + var formattedError = this.createError({ + code: 'playerLoadFail_maxNumberAttemptsReached', + description: this.name + ' error: Max number of attempts reached', + level: _error2.default.Levels.FATAL, + raw: {} + }); + this.trigger(_events2.default.PLAYBACK_ERROR, formattedError); } + } + }; - Cea608Parser.prototype.getHandler = function getHandler(index) { - return this.channels[index].getHandler(); - }; + FlasHLS.prototype._setFlashSettings = function _setFlashSettings() { + this.el.playerSetAutoStartLoad(this._autoStartLoad); + this.el.playerSetCapLevelToStage(this._capLevelToStage); + this.el.playerSetMaxLevelCappingMode(this._maxLevelCappingMode); + this.el.playerSetMinBufferLength(this._minBufferLength); + this.el.playerSetMinBufferLengthCapping(this._minBufferLengthCapping); + this.el.playerSetMaxBufferLength(this._maxBufferLength); + this.el.playerSetMaxBackBufferLength(this._maxBackBufferLength); + this.el.playerSetLowBufferLength(this._lowBufferLength); + this.el.playerSetMediaTimePeriod(this._mediaTimePeriod); + this.el.playerSetFpsDroppedMonitoringPeriod(this._fpsDroppedMonitoringPeriod); + this.el.playerSetFpsDroppedMonitoringThreshold(this._fpsDroppedMonitoringThreshold); + this.el.playerSetCapLevelonFPSDrop(this._capLevelonFPSDrop); + this.el.playerSetSmoothAutoSwitchonFPSDrop(this._smoothAutoSwitchonFPSDrop); + this.el.playerSetSwitchDownOnLevelError(this._switchDownOnLevelError); + this.el.playerSetSeekMode(this._seekMode); + this.el.playerSetKeyLoadMaxRetry(this._keyLoadMaxRetry); + this.el.playerSetKeyLoadMaxRetryTimeout(this._keyLoadMaxRetryTimeout); + this.el.playerSetFragmentLoadMaxRetry(this._fragmentLoadMaxRetry); + this.el.playerSetFragmentLoadMaxRetryTimeout(this._fragmentLoadMaxRetryTimeout); + this.el.playerSetFragmentLoadSkipAfterMaxRetry(this._fragmentLoadSkipAfterMaxRetry); + this.el.playerSetMaxSkippedFragments(this._maxSkippedFragments); + this.el.playerSetFlushLiveURLCache(this._flushLiveURLCache); + this.el.playerSetInitialLiveManifestSize(this._initialLiveManifestSize); + this.el.playerSetManifestLoadMaxRetry(this._manifestLoadMaxRetry); + this.el.playerSetManifestLoadMaxRetryTimeout(this._manifestLoadMaxRetryTimeout); + this.el.playerSetManifestRedundantLoadmaxRetry(this._manifestRedundantLoadmaxRetry); + this.el.playerSetStartFromBitrate(this._startFromBitrate); + this.el.playerSetStartFromLevel(this._startFromLevel); + this.el.playerSetAutoStartMaxDuration(this._autoStartMaxDuration); + this.el.playerSetSeekFromLevel(this._seekFromLevel); + this.el.playerSetUseHardwareVideoDecoder(this._useHardwareVideoDecoder); + this.el.playerSetLogInfo(this._hlsLogEnabled); + this.el.playerSetLogDebug(this._logDebug); + this.el.playerSetLogDebug2(this._logDebug2); + this.el.playerSetLogWarn(this._logWarn); + this.el.playerSetLogError(this._logError); + }; - Cea608Parser.prototype.setHandler = function setHandler(index, newHandler) { - this.channels[index].setHandler(newHandler); - }; + FlasHLS.prototype.setAutoStartLoad = function setAutoStartLoad(autoStartLoad) { + this._autoStartLoad = autoStartLoad; + this.el.playerSetAutoStartLoad(this._autoStartLoad); + }; - /** - * Add data for time t in forms of list of bytes (unsigned ints). The bytes are treated as pairs. - */ + FlasHLS.prototype.setCapLevelToStage = function setCapLevelToStage(capLevelToStage) { + this._capLevelToStage = capLevelToStage; + this.el.playerSetCapLevelToStage(this._capLevelToStage); + }; + FlasHLS.prototype.setMaxLevelCappingMode = function setMaxLevelCappingMode(maxLevelCappingMode) { + this._maxLevelCappingMode = maxLevelCappingMode; + this.el.playerSetMaxLevelCappingMode(this._maxLevelCappingMode); + }; - Cea608Parser.prototype.addData = function addData(t, byteList) { - var cmdFound = void 0, - a = void 0, - b = void 0, - charsFound = false; + FlasHLS.prototype.setSetMinBufferLength = function setSetMinBufferLength(minBufferLength) { + this._minBufferLength = minBufferLength; + this.el.playerSetMinBufferLength(this._minBufferLength); + }; - this.lastTime = t; - cea_608_parser_logger.setTime(t); + FlasHLS.prototype.setMinBufferLengthCapping = function setMinBufferLengthCapping(minBufferLengthCapping) { + this._minBufferLengthCapping = minBufferLengthCapping; + this.el.playerSetMinBufferLengthCapping(this._minBufferLengthCapping); + }; - for (var i = 0; i < byteList.length; i += 2) { - a = byteList[i] & 0x7f; - b = byteList[i + 1] & 0x7f; - if (a === 0 && b === 0) { - this.dataCounters.padding += 2; - continue; - } else { - cea_608_parser_logger.log('DATA', '[' + numArrayToHexArray([byteList[i], byteList[i + 1]]) + '] -> (' + numArrayToHexArray([a, b]) + ')'); - } - cmdFound = this.parseCmd(a, b); - if (!cmdFound) { - cmdFound = this.parseMidrow(a, b); - } + FlasHLS.prototype.setMaxBufferLength = function setMaxBufferLength(maxBufferLength) { + this._maxBufferLength = maxBufferLength; + this.el.playerSetMaxBufferLength(this._maxBufferLength); + }; - if (!cmdFound) { - cmdFound = this.parsePAC(a, b); - } + FlasHLS.prototype.setMaxBackBufferLength = function setMaxBackBufferLength(maxBackBufferLength) { + this._maxBackBufferLength = maxBackBufferLength; + this.el.playerSetMaxBackBufferLength(this._maxBackBufferLength); + }; - if (!cmdFound) { - cmdFound = this.parseBackgroundAttributes(a, b); - } + FlasHLS.prototype.setLowBufferLength = function setLowBufferLength(lowBufferLength) { + this._lowBufferLength = lowBufferLength; + this.el.playerSetLowBufferLength(this._lowBufferLength); + }; - if (!cmdFound) { - charsFound = this.parseChars(a, b); - if (charsFound) { - if (this.currChNr && this.currChNr >= 0) { - var channel = this.channels[this.currChNr - 1]; - channel.insertChars(charsFound); - } else { - cea_608_parser_logger.log('WARNING', 'No channel found yet. TEXT-MODE?'); - } - } - } - if (cmdFound) { - this.dataCounters.cmd += 2; - } else if (charsFound) { - this.dataCounters.char += 2; - } else { - this.dataCounters.other += 2; - cea_608_parser_logger.log('WARNING', 'Couldn\'t parse cleaned data ' + numArrayToHexArray([a, b]) + ' orig: ' + numArrayToHexArray([byteList[i], byteList[i + 1]])); - } - } - }; + FlasHLS.prototype.setMediaTimePeriod = function setMediaTimePeriod(mediaTimePeriod) { + this._mediaTimePeriod = mediaTimePeriod; + this.el.playerSetMediaTimePeriod(this._mediaTimePeriod); + }; - /** - * Parse Command. - * @returns {Boolean} Tells if a command was found - */ + FlasHLS.prototype.setFpsDroppedMonitoringPeriod = function setFpsDroppedMonitoringPeriod(fpsDroppedMonitoringPeriod) { + this._fpsDroppedMonitoringPeriod = fpsDroppedMonitoringPeriod; + this.el.playerSetFpsDroppedMonitoringPeriod(this._fpsDroppedMonitoringPeriod); + }; + FlasHLS.prototype.setFpsDroppedMonitoringThreshold = function setFpsDroppedMonitoringThreshold(fpsDroppedMonitoringThreshold) { + this._fpsDroppedMonitoringThreshold = fpsDroppedMonitoringThreshold; + this.el.playerSetFpsDroppedMonitoringThreshold(this._fpsDroppedMonitoringThreshold); + }; - Cea608Parser.prototype.parseCmd = function parseCmd(a, b) { - var chNr = null; + FlasHLS.prototype.setCapLevelonFPSDrop = function setCapLevelonFPSDrop(capLevelonFPSDrop) { + this._capLevelonFPSDrop = capLevelonFPSDrop; + this.el.playerSetCapLevelonFPSDrop(this._capLevelonFPSDrop); + }; - var cond1 = (a === 0x14 || a === 0x1C) && b >= 0x20 && b <= 0x2F; - var cond2 = (a === 0x17 || a === 0x1F) && b >= 0x21 && b <= 0x23; - if (!(cond1 || cond2)) { - return false; - } + FlasHLS.prototype.setSmoothAutoSwitchonFPSDrop = function setSmoothAutoSwitchonFPSDrop(smoothAutoSwitchonFPSDrop) { + this._smoothAutoSwitchonFPSDrop = smoothAutoSwitchonFPSDrop; + this.el.playerSetSmoothAutoSwitchonFPSDrop(this._smoothAutoSwitchonFPSDrop); + }; - if (a === this.lastCmdA && b === this.lastCmdB) { - this.lastCmdA = null; - this.lastCmdB = null; // Repeated commands are dropped (once) - cea_608_parser_logger.log('DEBUG', 'Repeated command (' + numArrayToHexArray([a, b]) + ') is dropped'); - return true; - } + FlasHLS.prototype.setSwitchDownOnLevelError = function setSwitchDownOnLevelError(switchDownOnLevelError) { + this._switchDownOnLevelError = switchDownOnLevelError; + this.el.playerSetSwitchDownOnLevelError(this._switchDownOnLevelError); + }; - if (a === 0x14 || a === 0x17) { - chNr = 1; - } else { - chNr = 2; - } // (a === 0x1C || a=== 0x1f) - - var channel = this.channels[chNr - 1]; - - if (a === 0x14 || a === 0x1C) { - if (b === 0x20) { - channel.ccRCL(); - } else if (b === 0x21) { - channel.ccBS(); - } else if (b === 0x22) { - channel.ccAOF(); - } else if (b === 0x23) { - channel.ccAON(); - } else if (b === 0x24) { - channel.ccDER(); - } else if (b === 0x25) { - channel.ccRU(2); - } else if (b === 0x26) { - channel.ccRU(3); - } else if (b === 0x27) { - channel.ccRU(4); - } else if (b === 0x28) { - channel.ccFON(); - } else if (b === 0x29) { - channel.ccRDC(); - } else if (b === 0x2A) { - channel.ccTR(); - } else if (b === 0x2B) { - channel.ccRTD(); - } else if (b === 0x2C) { - channel.ccEDM(); - } else if (b === 0x2D) { - channel.ccCR(); - } else if (b === 0x2E) { - channel.ccENM(); - } else if (b === 0x2F) { - channel.ccEOC(); - } - } else { - // a == 0x17 || a == 0x1F - channel.ccTO(b - 0x20); - } - this.lastCmdA = a; - this.lastCmdB = b; - this.currChNr = chNr; - return true; - }; + FlasHLS.prototype.setSeekMode = function setSeekMode(seekMode) { + this._seekMode = seekMode; + this.el.playerSetSeekMode(this._seekMode); + }; - /** - * Parse midrow styling command - * @returns {Boolean} - */ + FlasHLS.prototype.setKeyLoadMaxRetry = function setKeyLoadMaxRetry(keyLoadMaxRetry) { + this._keyLoadMaxRetry = keyLoadMaxRetry; + this.el.playerSetKeyLoadMaxRetry(this._keyLoadMaxRetry); + }; + FlasHLS.prototype.setKeyLoadMaxRetryTimeout = function setKeyLoadMaxRetryTimeout(keyLoadMaxRetryTimeout) { + this._keyLoadMaxRetryTimeout = keyLoadMaxRetryTimeout; + this.el.playerSetKeyLoadMaxRetryTimeout(this._keyLoadMaxRetryTimeout); + }; - Cea608Parser.prototype.parseMidrow = function parseMidrow(a, b) { - var chNr = null; + FlasHLS.prototype.setFragmentLoadMaxRetry = function setFragmentLoadMaxRetry(fragmentLoadMaxRetry) { + this._fragmentLoadMaxRetry = fragmentLoadMaxRetry; + this.el.playerSetFragmentLoadMaxRetry(this._fragmentLoadMaxRetry); + }; - if ((a === 0x11 || a === 0x19) && b >= 0x20 && b <= 0x2f) { - if (a === 0x11) { - chNr = 1; - } else { - chNr = 2; - } + FlasHLS.prototype.setFragmentLoadMaxRetryTimeout = function setFragmentLoadMaxRetryTimeout(fragmentLoadMaxRetryTimeout) { + this._fragmentLoadMaxRetryTimeout = fragmentLoadMaxRetryTimeout; + this.el.playerSetFragmentLoadMaxRetryTimeout(this._fragmentLoadMaxRetryTimeout); + }; - if (chNr !== this.currChNr) { - cea_608_parser_logger.log('ERROR', 'Mismatch channel in midrow parsing'); - return false; - } - var channel = this.channels[chNr - 1]; - channel.ccMIDROW(b); - cea_608_parser_logger.log('DEBUG', 'MIDROW (' + numArrayToHexArray([a, b]) + ')'); - return true; - } - return false; - }; - /** - * Parse Preable Access Codes (Table 53). - * @returns {Boolean} Tells if PAC found - */ + FlasHLS.prototype.setFragmentLoadSkipAfterMaxRetry = function setFragmentLoadSkipAfterMaxRetry(fragmentLoadSkipAfterMaxRetry) { + this._fragmentLoadSkipAfterMaxRetry = fragmentLoadSkipAfterMaxRetry; + this.el.playerSetFragmentLoadSkipAfterMaxRetry(this._fragmentLoadSkipAfterMaxRetry); + }; + FlasHLS.prototype.setMaxSkippedFragments = function setMaxSkippedFragments(maxSkippedFragments) { + this._maxSkippedFragments = maxSkippedFragments; + this.el.playerSetMaxSkippedFragments(this._maxSkippedFragments); + }; - Cea608Parser.prototype.parsePAC = function parsePAC(a, b) { - var chNr = null; - var row = null; + FlasHLS.prototype.setFlushLiveURLCache = function setFlushLiveURLCache(flushLiveURLCache) { + this._flushLiveURLCache = flushLiveURLCache; + this.el.playerSetFlushLiveURLCache(this._flushLiveURLCache); + }; - var case1 = (a >= 0x11 && a <= 0x17 || a >= 0x19 && a <= 0x1F) && b >= 0x40 && b <= 0x7F; - var case2 = (a === 0x10 || a === 0x18) && b >= 0x40 && b <= 0x5F; - if (!(case1 || case2)) { - return false; - } + FlasHLS.prototype.setInitialLiveManifestSize = function setInitialLiveManifestSize(initialLiveManifestSize) { + this._initialLiveManifestSize = initialLiveManifestSize; + this.el.playerSetInitialLiveManifestSize(this._initialLiveManifestSize); + }; - if (a === this.lastCmdA && b === this.lastCmdB) { - this.lastCmdA = null; - this.lastCmdB = null; - return true; // Repeated commands are dropped (once) - } + FlasHLS.prototype.setManifestLoadMaxRetry = function setManifestLoadMaxRetry(manifestLoadMaxRetry) { + this._manifestLoadMaxRetry = manifestLoadMaxRetry; + this.el.playerSetManifestLoadMaxRetry(this._manifestLoadMaxRetry); + }; - chNr = a <= 0x17 ? 1 : 2; + FlasHLS.prototype.setManifestLoadMaxRetryTimeout = function setManifestLoadMaxRetryTimeout(manifestLoadMaxRetryTimeout) { + this._manifestLoadMaxRetryTimeout = manifestLoadMaxRetryTimeout; + this.el.playerSetManifestLoadMaxRetryTimeout(this._manifestLoadMaxRetryTimeout); + }; - if (b >= 0x40 && b <= 0x5F) { - row = chNr === 1 ? rowsLowCh1[a] : rowsLowCh2[a]; - } else { - // 0x60 <= b <= 0x7F - row = chNr === 1 ? rowsHighCh1[a] : rowsHighCh2[a]; - } - var pacData = this.interpretPAC(row, b); - var channel = this.channels[chNr - 1]; - channel.setPAC(pacData); - this.lastCmdA = a; - this.lastCmdB = b; - this.currChNr = chNr; - return true; - }; + FlasHLS.prototype.setManifestRedundantLoadmaxRetry = function setManifestRedundantLoadmaxRetry(manifestRedundantLoadmaxRetry) { + this._manifestRedundantLoadmaxRetry = manifestRedundantLoadmaxRetry; + this.el.playerSetManifestRedundantLoadmaxRetry(this._manifestRedundantLoadmaxRetry); + }; - /** - * Interpret the second byte of the pac, and return the information. - * @returns {Object} pacData with style parameters. - */ + FlasHLS.prototype.setStartFromBitrate = function setStartFromBitrate(startFromBitrate) { + this._startFromBitrate = startFromBitrate; + this.el.playerSetStartFromBitrate(this._startFromBitrate); + }; + FlasHLS.prototype.setStartFromLevel = function setStartFromLevel(startFromLevel) { + this._startFromLevel = startFromLevel; + this.el.playerSetStartFromLevel(this._startFromLevel); + }; - Cea608Parser.prototype.interpretPAC = function interpretPAC(row, byte) { - var pacIndex = byte; - var pacData = { color: null, italics: false, indent: null, underline: false, row: row }; + FlasHLS.prototype.setAutoStartMaxDuration = function setAutoStartMaxDuration(autoStartMaxDuration) { + this._autoStartMaxDuration = autoStartMaxDuration; + this.el.playerSetAutoStartMaxDuration(this._autoStartMaxDuration); + }; - if (byte > 0x5F) { - pacIndex = byte - 0x60; - } else { - pacIndex = byte - 0x40; - } + FlasHLS.prototype.setSeekFromLevel = function setSeekFromLevel(seekFromLevel) { + this._seekFromLevel = seekFromLevel; + this.el.playerSetSeekFromLevel(this._seekFromLevel); + }; - pacData.underline = (pacIndex & 1) === 1; - if (pacIndex <= 0xd) { - pacData.color = ['white', 'green', 'blue', 'cyan', 'red', 'yellow', 'magenta', 'white'][Math.floor(pacIndex / 2)]; - } else if (pacIndex <= 0xf) { - pacData.italics = true; - pacData.color = 'white'; - } else { - pacData.indent = Math.floor((pacIndex - 0x10) / 2) * 4; - } - return pacData; // Note that row has zero offset. The spec uses 1. - }; + FlasHLS.prototype.setUseHardwareVideoDecoder = function setUseHardwareVideoDecoder(useHardwareVideoDecoder) { + this._useHardwareVideoDecoder = useHardwareVideoDecoder; + this.el.playerSetUseHardwareVideoDecoder(this._useHardwareVideoDecoder); + }; - /** - * Parse characters. - * @returns An array with 1 to 2 codes corresponding to chars, if found. null otherwise. - */ + FlasHLS.prototype.setSetLogInfo = function setSetLogInfo(hlsLogEnabled) { + this._hlsLogEnabled = hlsLogEnabled; + this.el.playerSetLogInfo(this._hlsLogEnabled); + }; + FlasHLS.prototype.setLogDebug = function setLogDebug(logDebug) { + this._logDebug = logDebug; + this.el.playerSetLogDebug(this._logDebug); + }; - Cea608Parser.prototype.parseChars = function parseChars(a, b) { - var channelNr = null, - charCodes = null, - charCode1 = null; + FlasHLS.prototype.setLogDebug2 = function setLogDebug2(logDebug2) { + this._logDebug2 = logDebug2; + this.el.playerSetLogDebug2(this._logDebug2); + }; - if (a >= 0x19) { - channelNr = 2; - charCode1 = a - 8; - } else { - channelNr = 1; - charCode1 = a; - } - if (charCode1 >= 0x11 && charCode1 <= 0x13) { - // Special character - var oneCode = b; - if (charCode1 === 0x11) { - oneCode = b + 0x50; - } else if (charCode1 === 0x12) { - oneCode = b + 0x70; - } else { - oneCode = b + 0x90; - } + FlasHLS.prototype.setLogWarn = function setLogWarn(logWarn) { + this._logWarn = logWarn; + this.el.playerSetLogWarn(this._logWarn); + }; - cea_608_parser_logger.log('INFO', 'Special char \'' + getCharForByte(oneCode) + '\' in channel ' + channelNr); - charCodes = [oneCode]; - } else if (a >= 0x20 && a <= 0x7f) { - charCodes = b === 0 ? [a] : [a, b]; - } - if (charCodes) { - var hexCodes = numArrayToHexArray(charCodes); - cea_608_parser_logger.log('DEBUG', 'Char codes = ' + hexCodes.join(',')); - this.lastCmdA = null; - this.lastCmdB = null; - } - return charCodes; - }; + FlasHLS.prototype.setLogError = function setLogError(logError) { + this._logError = logError; + this.el.playerSetLogError(this._logError); + }; - /** - * Parse extended background attributes as well as new foreground color black. - * @returns{Boolean} Tells if background attributes are found - */ + FlasHLS.prototype._levelChanged = function _levelChanged(level) { + var currentLevel = this.el.getLevels()[level]; + if (currentLevel) { + this.highDefinition = currentLevel.height >= 720 || currentLevel.bitrate / 1000 >= 2000; + this.trigger(_events2.default.PLAYBACK_HIGHDEFINITIONUPDATE, this.highDefinition); + if (!this._levels || this._levels.length === 0) this._fillLevels(); - Cea608Parser.prototype.parseBackgroundAttributes = function parseBackgroundAttributes(a, b) { - var bkgData = void 0, - index = void 0, - chNr = void 0, - channel = void 0; + this.trigger(_events2.default.PLAYBACK_BITRATE, { + height: currentLevel.height, + width: currentLevel.width, + bandwidth: currentLevel.bitrate, + bitrate: currentLevel.bitrate, + level: level + }); + this.trigger(_events2.default.PLAYBACK_LEVEL_SWITCH_END); + } + }; - var case1 = (a === 0x10 || a === 0x18) && b >= 0x20 && b <= 0x2f; - var case2 = (a === 0x17 || a === 0x1f) && b >= 0x2d && b <= 0x2f; - if (!(case1 || case2)) { - return false; - } + FlasHLS.prototype._updateTime = function _updateTime(timeMetrics) { + if (this._currentState === 'IDLE') return; - bkgData = {}; - if (a === 0x10 || a === 0x18) { - index = Math.floor((b - 0x20) / 2); - bkgData.background = backgroundColors[index]; - if (b % 2 === 1) { - bkgData.background = bkgData.background + '_semi'; - } - } else if (b === 0x2d) { - bkgData.background = 'transparent'; - } else { - bkgData.foreground = 'black'; - if (b === 0x2f) { - bkgData.underline = true; - } - } - chNr = a < 0x18 ? 1 : 2; - channel = this.channels[chNr - 1]; - channel.setBkgData(bkgData); - this.lastCmdA = null; - this.lastCmdB = null; - return true; - }; + var duration = this._normalizeDuration(timeMetrics.duration); + var position = Math.min(Math.max(timeMetrics.position, 0), duration); + var previousDVRStatus = this._dvrEnabled; + var livePlayback = this._playbackType === _playback2.default.LIVE; + this._dvrEnabled = livePlayback && duration > this._hlsMinimumDvrSize; - /** - * Reset state of parser and its channels. - */ + if (duration === 100 || livePlayback === undefined) return; + if (this._dvrEnabled !== previousDVRStatus) { + this._updateSettings(); + this.trigger(_events2.default.PLAYBACK_SETTINGSUPDATE, this.name); + } - Cea608Parser.prototype.reset = function reset() { - for (var i = 0; i < this.channels.length; i++) { - if (this.channels[i]) { - this.channels[i].reset(); - } - } - this.lastCmdA = null; - this.lastCmdB = null; - }; + if (livePlayback && !this._dvrEnabled) position = duration; - /** - * Trigger the generation of a cue, and the start of a new one if displayScreens are not empty. - */ + this.trigger(_events2.default.PLAYBACK_TIMEUPDATE, { current: position, total: duration }, this.name); + }; + FlasHLS.prototype.play = function play() { + this.trigger(_events2.default.PLAYBACK_PLAY_INTENT); + if (this._currentState === 'PAUSED') this.el.playerResume();else if (!this._srcLoaded && this._currentState !== 'PLAYING') this._firstPlay();else this.el.playerPlay(); + }; - Cea608Parser.prototype.cueSplitAtTime = function cueSplitAtTime(t) { - for (var i = 0; i < this.channels.length; i++) { - if (this.channels[i]) { - this.channels[i].cueSplitAtTime(t); - } - } - }; + FlasHLS.prototype.getPlaybackType = function getPlaybackType() { + return this._playbackType ? this._playbackType : null; + }; - return Cea608Parser; - }(); + FlasHLS.prototype.getCurrentTime = function getCurrentTime() { + return this.el.getPosition(); + }; - /* harmony default export */ var cea_608_parser = (Cea608Parser); -// CONCATENATED MODULE: ./src/utils/output-filter.js - function output_filter__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + FlasHLS.prototype.getCurrentLevelIndex = function getCurrentLevelIndex() { + return this._currentLevel; + }; - var OutputFilter = function () { - function OutputFilter(timelineController, trackName) { - output_filter__classCallCheck(this, OutputFilter); + FlasHLS.prototype.getCurrentLevel = function getCurrentLevel() { + return this.levels[this.currentLevel]; + }; - this.timelineController = timelineController; - this.trackName = trackName; - this.startTime = null; - this.endTime = null; - this.screen = null; - } + FlasHLS.prototype.getCurrentBitrate = function getCurrentBitrate() { + return this.levels[this.currentLevel].bitrate; + }; - OutputFilter.prototype.dispatchCue = function dispatchCue() { - if (this.startTime === null) { - return; - } + FlasHLS.prototype.setCurrentLevel = function setCurrentLevel(level) { + this.currentLevel = level; + }; - this.timelineController.addCues(this.trackName, this.startTime, this.endTime, this.screen); - this.startTime = null; - }; + FlasHLS.prototype.isHighDefinitionInUse = function isHighDefinitionInUse() { + return this.highDefinition; + }; - OutputFilter.prototype.newCue = function newCue(startTime, endTime, screen) { - if (this.startTime === null || this.startTime > startTime) { - this.startTime = startTime; - } + FlasHLS.prototype.getLevels = function getLevels() { + return this.levels; + }; - this.endTime = endTime; - this.screen = screen; - this.timelineController.createCaptionsTrack(this.trackName); - }; + FlasHLS.prototype._setPlaybackState = function _setPlaybackState(state) { + if (['PLAYING_BUFFERING', 'PAUSED_BUFFERING'].indexOf(state) >= 0) { + this._bufferingState = true; + this.trigger(_events2.default.PLAYBACK_BUFFERING, this.name); + this._updateCurrentState(state); + } else if (['PLAYING', 'PAUSED'].indexOf(state) >= 0) { + if (['PLAYING_BUFFERING', 'PAUSED_BUFFERING', 'IDLE'].indexOf(this._currentState) >= 0) { + this._bufferingState = false; + this.trigger(_events2.default.PLAYBACK_BUFFERFULL, this.name); + } + this._updateCurrentState(state); + } else if (state === 'IDLE') { + this._srcLoaded = false; + if (this._loop && ['PLAYING_BUFFERING', 'PLAYING'].indexOf(this._currentState) >= 0) { + this.play(); + this.seek(0); + } else { + this._updateCurrentState(state); + this._hasEnded = true; + this.trigger(_events2.default.PLAYBACK_TIMEUPDATE, { current: 0, total: this.getDuration() }, this.name); + this.trigger(_events2.default.PLAYBACK_ENDED, this.name); + } + } + }; - return OutputFilter; - }(); + FlasHLS.prototype._updateCurrentState = function _updateCurrentState(state) { + this._currentState = state; + if (state !== 'IDLE') this._hasEnded = false; - /* harmony default export */ var output_filter = (OutputFilter); -// CONCATENATED MODULE: ./src/utils/webvtt-parser.js + this._updatePlaybackType(); + if (state === 'PLAYING') this.trigger(_events2.default.PLAYBACK_PLAY, this.name);else if (state === 'PAUSED') this.trigger(_events2.default.PLAYBACK_PAUSE, this.name); + }; + FlasHLS.prototype._updatePlaybackType = function _updatePlaybackType() { + this._playbackType = this.el.getType(); + if (this._playbackType) { + this._playbackType = this._playbackType.toLowerCase(); + if (this._playbackType === _playback2.default.VOD) this._startReportingProgress();else this._stopReportingProgress(); + } + this.trigger(_events2.default.PLAYBACK_PLAYBACKSTATE, { type: this._playbackType }); + }; + FlasHLS.prototype._startReportingProgress = function _startReportingProgress() { + if (!this._reportingProgress) this._reportingProgress = true; + }; + FlasHLS.prototype._stopReportingProgress = function _stopReportingProgress() { + this._reportingProgress = false; + }; -// String.prototype.startsWith is not supported in IE11 - var startsWith = function startsWith(inputString, searchString, position) { - return inputString.substr(position || 0, searchString.length) === searchString; - }; + FlasHLS.prototype._onFragmentLoaded = function _onFragmentLoaded(loadmetrics) { + this.trigger(_events2.default.PLAYBACK_FRAGMENT_LOADED, loadmetrics); + if (this._reportingProgress && this.getCurrentTime()) { + var buffered = this.getCurrentTime() + this.el.getbufferLength(); + this.trigger(_events2.default.PLAYBACK_PROGRESS, { + start: this.getCurrentTime(), + current: buffered, + total: this.el.getDuration() + }); + } + }; - var webvtt_parser_cueString2millis = function cueString2millis(timeString) { - var ts = parseInt(timeString.substr(-3)); - var secs = parseInt(timeString.substr(-6, 2)); - var mins = parseInt(timeString.substr(-9, 2)); - var hours = timeString.length > 9 ? parseInt(timeString.substr(0, timeString.indexOf(':'))) : 0; + FlasHLS.prototype._onLevelEndlist = function _onLevelEndlist() { + this._updatePlaybackType(); + }; - if (!Object(number_isFinite["a" /* isFiniteNumber */])(ts) || !Object(number_isFinite["a" /* isFiniteNumber */])(secs) || !Object(number_isFinite["a" /* isFiniteNumber */])(mins) || !Object(number_isFinite["a" /* isFiniteNumber */])(hours)) { - return -1; - } + FlasHLS.prototype._firstPlay = function _firstPlay() { + var _this4 = this; - ts += 1000 * secs; - ts += 60 * 1000 * mins; - ts += 60 * 60 * 1000 * hours; + this._shouldPlayOnManifestLoaded = true; + if (this.el.playerLoad) { + _mediator2.default.once(this.cid + ':manifestloaded', function (duration, loadmetrics) { + return _this4._manifestLoaded(duration, loadmetrics); + }); + this._setFlashSettings(); //ensure flushLiveURLCache will work (#327) + this.el.playerLoad(this._src); + this._srcLoaded = true; + } + }; - return ts; - }; + FlasHLS.prototype.volume = function volume(value) { + var _this5 = this; -// From https://github.com/darkskyapp/string-hash - var hash = function hash(text) { - var hash = 5381; - var i = text.length; - while (i) { - hash = hash * 33 ^ text.charCodeAt(--i); - } + if (this.isReady) this.el.playerVolume(value);else this.listenToOnce(this, _events2.default.PLAYBACK_BUFFERFULL, function () { + return _this5.volume(value); + }); + }; - return (hash >>> 0).toString(); - }; + FlasHLS.prototype.pause = function pause() { + if (this._playbackType !== _playback2.default.LIVE || this._dvrEnabled) { + this.el.playerPause(); + if (this._playbackType === _playback2.default.LIVE && this._dvrEnabled) this._updateDvr(true); + } + }; - var calculateOffset = function calculateOffset(vttCCs, cc, presentationTime) { - var currCC = vttCCs[cc]; - var prevCC = vttCCs[currCC.prevCC]; + FlasHLS.prototype.stop = function stop() { + this._srcLoaded = false; + this.el.playerStop(); + this.trigger(_events2.default.PLAYBACK_STOP); + this.trigger(_events2.default.PLAYBACK_TIMEUPDATE, { current: 0, total: 0 }, this.name); + }; - // This is the first discontinuity or cues have been processed since the last discontinuity - // Offset = current discontinuity time - if (!prevCC || !prevCC.new && currCC.new) { - vttCCs.ccOffset = vttCCs.presentationOffset = currCC.start; - currCC.new = false; - return; - } + FlasHLS.prototype.isPlaying = function isPlaying() { + if (this._currentState) return !!this._currentState.match(/playing/i); - // There have been discontinuities since cues were last parsed. - // Offset = time elapsed - while (prevCC && prevCC.new) { - vttCCs.ccOffset += currCC.start - prevCC.start; - currCC.new = false; - currCC = prevCC; - prevCC = vttCCs[currCC.prevCC]; - } + return false; + }; - vttCCs.presentationOffset = presentationTime; - }; + FlasHLS.prototype.getDuration = function getDuration() { + return this._normalizeDuration(this.el.getDuration()); + }; - var WebVTTParser = { - parse: function parse(vttByteArray, syncPTS, vttCCs, cc, callBack, errorCallBack) { - // Convert byteArray into string, replacing any somewhat exotic linefeeds with "\n", then split on that character. - var re = /\r\n|\n\r|\n|\r/g; - // Uint8Array.prototype.reduce is not implemented in IE11 - var vttLines = Object(id3["b" /* utf8ArrayToStr */])(new Uint8Array(vttByteArray)).trim().replace(re, '\n').split('\n'); - - var cueTime = '00:00.000'; - var mpegTs = 0; - var localTime = 0; - var presentationTime = 0; - var cues = []; - var parsingError = void 0; - var inHeader = true; - // let VTTCue = VTTCue || window.TextTrackCue; - - // Create parser object using VTTCue with TextTrackCue fallback on certain browsers. - var parser = new vttparser(); - - parser.oncue = function (cue) { - // Adjust cue timing; clamp cues to start no earlier than - and drop cues that don't end after - 0 on timeline. - var currCC = vttCCs[cc]; - var cueOffset = vttCCs.ccOffset; + FlasHLS.prototype._normalizeDuration = function _normalizeDuration(duration) { + if (this._playbackType === _playback2.default.LIVE) { + // estimate 10 seconds of buffer time for live streams for seek positions + duration = Math.max(0, duration - 10); + } + return duration; + }; - // Update offsets for new discontinuities - if (currCC && currCC.new) { - if (localTime !== undefined) { - // When local time is provided, offset = discontinuity start time - local time - cueOffset = vttCCs.ccOffset = currCC.start; - } else { - calculateOffset(vttCCs, cc, presentationTime); - } - } + FlasHLS.prototype.seekPercentage = function seekPercentage(percentage) { + var duration = this.el.getDuration(); + var time = 0; + if (percentage > 0) time = duration * percentage / 100; - if (presentationTime) { - // If we have MPEGTS, offset = presentation time + discontinuity offset - cueOffset = presentationTime + vttCCs.ccOffset - vttCCs.presentationOffset; - } + this.seek(time); + }; + + FlasHLS.prototype.seek = function seek(time) { + var duration = this.getDuration(); + if (this._playbackType === _playback2.default.LIVE) { + // seek operations to a time within 3 seconds from live stream will position playhead back to live + var dvrInUse = duration - time > 3; + this._updateDvr(dvrInUse); + } + this.el.playerSeek(time); + this.trigger(_events2.default.PLAYBACK_TIMEUPDATE, { current: time, total: duration }, this.name); + }; - cue.startTime += cueOffset - localTime; - cue.endTime += cueOffset - localTime; + FlasHLS.prototype._updateDvr = function _updateDvr(dvrInUse) { + var previousDvrInUse = !!this._dvrInUse; + this._dvrInUse = dvrInUse; + if (this._dvrInUse !== previousDvrInUse) { + this._updateSettings(); + this.trigger(_events2.default.PLAYBACK_DVR, this._dvrInUse); + this.trigger(_events2.default.PLAYBACK_STATS_ADD, { 'dvr': this._dvrInUse }); + } + }; - // Create a unique hash id for a cue based on start/end times and text. - // This helps timeline-controller to avoid showing repeated captions. - cue.id = hash(cue.startTime.toString()) + hash(cue.endTime.toString()) + hash(cue.text); + FlasHLS.prototype._flashPlaybackError = function _flashPlaybackError(code, url, message) { + var error = { + code: code, + description: message, + level: _error2.default.Levels.FATAL, + raw: { code: code, url: url, message: message } + }; + var formattedError = this.createError(error); + this.trigger(_events2.default.PLAYBACK_ERROR, formattedError); + this.trigger(_events2.default.PLAYBACK_STOP); + }; - // Fix encoding of special characters. TODO: Test with all sorts of weird characters. - cue.text = decodeURIComponent(encodeURIComponent(cue.text)); - if (cue.endTime > 0) { - cues.push(cue); - } - }; + FlasHLS.prototype._manifestLoaded = function _manifestLoaded(duration, loadmetrics) { + if (this._shouldPlayOnManifestLoaded) { + this._shouldPlayOnManifestLoaded = false; + // this method initialises the player (and starts playback) + // this needs to happen before PLAYBACK_LOADEDMETADATA is fired + // as the user may call seek() in a LOADEDMETADATA listener. + /// when playerPlay() is called the player seeks to 0 + this.el.playerPlay(); + } - parser.onparsingerror = function (e) { - parsingError = e; - }; + this._fillLevels(); + this.trigger(_events2.default.PLAYBACK_LOADEDMETADATA, { duration: duration, data: loadmetrics }); + }; - parser.onflush = function () { - if (parsingError && errorCallBack) { - errorCallBack(parsingError); - return; - } - callBack(cues); - }; + FlasHLS.prototype._fillLevels = function _fillLevels() { + var levels = this.el.getLevels(); + var levelsLength = levels.length; + this._levels = []; - // Go through contents line by line. - vttLines.forEach(function (line) { - if (inHeader) { - // Look for X-TIMESTAMP-MAP in header. - if (startsWith(line, 'X-TIMESTAMP-MAP=')) { - // Once found, no more are allowed anyway, so stop searching. - inHeader = false; - // Extract LOCAL and MPEGTS. - line.substr(16).split(',').forEach(function (timestamp) { - if (startsWith(timestamp, 'LOCAL:')) { - cueTime = timestamp.substr(6); - } else if (startsWith(timestamp, 'MPEGTS:')) { - mpegTs = parseInt(timestamp.substr(7)); - } - }); - try { - // Calculate subtitle offset in milliseconds. - // If sync PTS is less than zero, we have a 33-bit wraparound, which is fixed by adding 2^33 = 8589934592. - syncPTS = syncPTS < 0 ? syncPTS + 8589934592 : syncPTS; - // Adjust MPEGTS by sync PTS. - mpegTs -= syncPTS; - // Convert cue time to seconds - localTime = webvtt_parser_cueString2millis(cueTime) / 1000; - // Convert MPEGTS to seconds from 90kHz. - presentationTime = mpegTs / 90000; - - if (localTime === -1) { - parsingError = new Error('Malformed X-TIMESTAMP-MAP: ' + line); - } - } catch (e) { - parsingError = new Error('Malformed X-TIMESTAMP-MAP: ' + line); - } - // Return without parsing X-TIMESTAMP-MAP line. - return; - } else if (line === '') { - inHeader = false; - } - } - // Parse line by default. - parser.parse(line + '\n'); - }); + for (var index = 0; index < levelsLength; index++) { + this._levels.push({ id: index, label: levels[index].height + 'p', level: levels[index] }); + }this.trigger(_events2.default.PLAYBACK_LEVELS_AVAILABLE, this._levels); + }; - parser.flush(); - } - }; + FlasHLS.prototype.destroy = function destroy() { + this.stopListening(); + this.$el.remove(); + }; - /* harmony default export */ var webvtt_parser = (WebVTTParser); -// CONCATENATED MODULE: ./src/controller/timeline-controller.js - function timeline_controller__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + FlasHLS.prototype._updateSettings = function _updateSettings() { + this.settings = _clapprZepto2.default.extend({}, this._defaultSettings); + if (this._playbackType === _playback2.default.VOD || this._dvrInUse) { + this.settings.left = ['playpause', 'position', 'duration']; + this.settings.seekEnabled = true; + } else if (this._dvrEnabled) { + this.settings.left = ['playpause']; + this.settings.seekEnabled = true; + } else { + this.settings.seekEnabled = false; + } + }; - function timeline_controller__possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call && (typeof call === "object" || typeof call === "function") ? call : self; } + FlasHLS.prototype._createCallbacks = function _createCallbacks() { + var _this6 = this; - function timeline_controller__inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; } + if (!window.Clappr) window.Clappr = {}; - /* - * Timeline Controller -*/ + if (!window.Clappr.flashlsCallbacks) window.Clappr.flashlsCallbacks = {}; + this.flashlsEvents = new _flashls_events2.default(this.cid); + window.Clappr.flashlsCallbacks[this.cid] = function (eventName, args) { + _this6.flashlsEvents[eventName].apply(_this6.flashlsEvents, args); + }; + }; + FlasHLS.prototype.render = function render() { + _BaseFlashPlayback.prototype.render.call(this); + this._createCallbacks(); + return this; + }; + (0, _createClass3.default)(FlasHLS, [{ + key: 'isReady', + get: function get() { + return this._isReadyState; + } + }, { + key: 'dvrEnabled', + get: function get() { + return !!this._dvrEnabled; + } + }]); + return FlasHLS; + }(_base_flash_playback2.default); + exports.default = FlasHLS; + FlasHLS.canPlay = function (resource, mimeType) { + var resourceParts = resource.split('?')[0].match(/.*\.(.*)$/) || []; + return _browser2.default.hasFlash && (resourceParts.length > 1 && resourceParts[1].toLowerCase() === 'm3u8' || mimeType === 'application/x-mpegURL' || mimeType === 'application/vnd.apple.mpegurl'); + }; + module.exports = exports['default']; + /***/ }), + /***/ "./src/playbacks/flashls/flashls_events.js": + /*!*************************************************!*\ + !*** ./src/playbacks/flashls/flashls_events.js ***! + \*************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - function reuseVttTextTrack(inUseTrack, manifestTrack) { - return inUseTrack && inUseTrack.label === manifestTrack.name && !(inUseTrack.textTrack1 || inUseTrack.textTrack2); - } + "use strict"; - function intersection(x1, x2, y1, y2) { - return Math.min(x2, y2) - Math.max(x1, y1); - } - var timeline_controller_TimelineController = function (_EventHandler) { - timeline_controller__inherits(TimelineController, _EventHandler); + Object.defineProperty(exports, "__esModule", { + value: true + }); - function TimelineController(hls) { - timeline_controller__classCallCheck(this, TimelineController); + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); - var _this = timeline_controller__possibleConstructorReturn(this, _EventHandler.call(this, hls, events["a" /* default */].MEDIA_ATTACHING, events["a" /* default */].MEDIA_DETACHING, events["a" /* default */].FRAG_PARSING_USERDATA, events["a" /* default */].FRAG_DECRYPTED, events["a" /* default */].MANIFEST_LOADING, events["a" /* default */].MANIFEST_LOADED, events["a" /* default */].FRAG_LOADED, events["a" /* default */].LEVEL_SWITCHING, events["a" /* default */].INIT_PTS_FOUND)); + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); - _this.hls = hls; - _this.config = hls.config; - _this.enabled = true; - _this.Cues = hls.config.cueHandler; - _this.textTracks = []; - _this.tracks = []; - _this.unparsedVttFrags = []; - _this.initPTS = undefined; - _this.cueRanges = []; - _this.captionsTracks = {}; + var _mediator = __webpack_require__(/*! ../../components/mediator */ "./src/components/mediator.js"); - _this.captionsProperties = { - textTrack1: { - label: _this.config.captionsTextTrack1Label, - languageCode: _this.config.captionsTextTrack1LanguageCode - }, - textTrack2: { - label: _this.config.captionsTextTrack2Label, - languageCode: _this.config.captionsTextTrack2LanguageCode - } - }; + var _mediator2 = _interopRequireDefault(_mediator); - if (_this.config.enableCEA708Captions) { - var channel1 = new output_filter(_this, 'textTrack1'); - var channel2 = new output_filter(_this, 'textTrack2'); + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - _this.cea608Parser = new cea_608_parser(0, channel1, channel2); - } - return _this; - } + var HLSEvents = function () { + function HLSEvents(instanceId) { + (0, _classCallCheck3.default)(this, HLSEvents); - TimelineController.prototype.addCues = function addCues(trackName, startTime, endTime, screen) { - // skip cues which overlap more than 50% with previously parsed time ranges - var ranges = this.cueRanges; - var merged = false; - for (var i = ranges.length; i--;) { - var cueRange = ranges[i]; - var overlap = intersection(cueRange[0], cueRange[1], startTime, endTime); - if (overlap >= 0) { - cueRange[0] = Math.min(cueRange[0], startTime); - cueRange[1] = Math.max(cueRange[1], endTime); - merged = true; - if (overlap / (endTime - startTime) > 0.5) { - return; - } - } - } - if (!merged) { - ranges.push([startTime, endTime]); - } + this.instanceId = instanceId; + } - this.Cues.newCue(this.captionsTracks[trackName], startTime, endTime, screen); - }; + HLSEvents.prototype.ready = function ready() { + _mediator2.default.trigger(this.instanceId + ':flashready'); + }; - // Triggered when an initial PTS is found; used for synchronisation of WebVTT. + HLSEvents.prototype.videoSize = function videoSize(width, height) { + _mediator2.default.trigger(this.instanceId + ':videosizechanged', width, height); + }; + HLSEvents.prototype.complete = function complete() { + _mediator2.default.trigger(this.instanceId + ':complete'); + }; - TimelineController.prototype.onInitPtsFound = function onInitPtsFound(data) { - var _this2 = this; + HLSEvents.prototype.error = function error(code, url, message) { + _mediator2.default.trigger(this.instanceId + ':error', code, url, message); + }; - if (typeof this.initPTS === 'undefined') { - this.initPTS = data.initPTS; - } + HLSEvents.prototype.manifest = function manifest(duration, loadmetrics) { + _mediator2.default.trigger(this.instanceId + ':manifestloaded', duration, loadmetrics); + }; - // Due to asynchrony, initial PTS may arrive later than the first VTT fragments are loaded. - // Parse any unparsed fragments upon receiving the initial PTS. - if (this.unparsedVttFrags.length) { - this.unparsedVttFrags.forEach(function (frag) { - _this2.onFragLoaded(frag); - }); - this.unparsedVttFrags = []; - } - }; + HLSEvents.prototype.audioLevelLoaded = function audioLevelLoaded(loadmetrics) { + _mediator2.default.trigger(this.instanceId + ':audiolevelloaded', loadmetrics); + }; - TimelineController.prototype.getExistingTrack = function getExistingTrack(trackName) { - var media = this.media; + HLSEvents.prototype.levelLoaded = function levelLoaded(loadmetrics) { + _mediator2.default.trigger(this.instanceId + ':levelloaded', loadmetrics); + }; - if (media) { - for (var i = 0; i < media.textTracks.length; i++) { - var textTrack = media.textTracks[i]; - if (textTrack[trackName]) { - return textTrack; - } - } - } - return null; - }; + HLSEvents.prototype.levelEndlist = function levelEndlist(level) { + _mediator2.default.trigger(this.instanceId + ':levelendlist', level); + }; - TimelineController.prototype.createCaptionsTrack = function createCaptionsTrack(trackName) { - var _captionsProperties$t = this.captionsProperties[trackName], - label = _captionsProperties$t.label, - languageCode = _captionsProperties$t.languageCode; - - var captionsTracks = this.captionsTracks; - if (!captionsTracks[trackName]) { - // Enable reuse of existing text track. - var existingTrack = this.getExistingTrack(trackName); - if (!existingTrack) { - var textTrack = this.createTextTrack('captions', label, languageCode); - if (textTrack) { - // Set a special property on the track so we know it's managed by Hls.js - textTrack[trackName] = true; - captionsTracks[trackName] = textTrack; - } - } else { - captionsTracks[trackName] = existingTrack; - clearCurrentCues(captionsTracks[trackName]); - sendAddTrackEvent(captionsTracks[trackName], this.media); - } - } - }; + HLSEvents.prototype.fragmentLoaded = function fragmentLoaded(loadmetrics) { + _mediator2.default.trigger(this.instanceId + ':fragmentloaded', loadmetrics); + }; - TimelineController.prototype.createTextTrack = function createTextTrack(kind, label, lang) { - var media = this.media; - if (media) { - return media.addTextTrack(kind, label, lang); - } - }; + HLSEvents.prototype.fragmentPlaying = function fragmentPlaying(playmetrics) { + _mediator2.default.trigger(this.instanceId + ':fragmentplaying', playmetrics); + }; - TimelineController.prototype.destroy = function destroy() { - event_handler.prototype.destroy.call(this); - }; + HLSEvents.prototype.position = function position(timemetrics) { + _mediator2.default.trigger(this.instanceId + ':timeupdate', timemetrics); + }; - TimelineController.prototype.onMediaAttaching = function onMediaAttaching(data) { - this.media = data.media; - this._cleanTracks(); - }; + HLSEvents.prototype.state = function state(newState) { + _mediator2.default.trigger(this.instanceId + ':playbackstate', newState); + }; - TimelineController.prototype.onMediaDetaching = function onMediaDetaching() { - var captionsTracks = this.captionsTracks; + HLSEvents.prototype.seekState = function seekState(newState) { + _mediator2.default.trigger(this.instanceId + ':seekstate', newState); + }; - Object.keys(captionsTracks).forEach(function (trackName) { - clearCurrentCues(captionsTracks[trackName]); - delete captionsTracks[trackName]; - }); - }; + HLSEvents.prototype.switch = function _switch(newLevel) { + _mediator2.default.trigger(this.instanceId + ':levelchanged', newLevel); + }; - TimelineController.prototype.onManifestLoading = function onManifestLoading() { - this.lastSn = -1; // Detect discontiguity in fragment parsing - this.prevCC = -1; - this.vttCCs = { ccOffset: 0, presentationOffset: 0 }; // Detect discontinuity in subtitle manifests - this._cleanTracks(); - }; + HLSEvents.prototype.audioTracksListChange = function audioTracksListChange(trackList) { + _mediator2.default.trigger(this.instanceId + ':audiotracklistchanged', trackList); + }; - TimelineController.prototype._cleanTracks = function _cleanTracks() { - // clear outdated subtitles - var media = this.media; - if (media) { - var textTracks = media.textTracks; - if (textTracks) { - for (var i = 0; i < textTracks.length; i++) { - clearCurrentCues(textTracks[i]); - } - } - } - }; + HLSEvents.prototype.audioTrackChange = function audioTrackChange(trackId) { + _mediator2.default.trigger(this.instanceId + ':audiotrackchanged', trackId); + }; - TimelineController.prototype.onManifestLoaded = function onManifestLoaded(data) { - var _this3 = this; + return HLSEvents; + }(); - this.textTracks = []; - this.unparsedVttFrags = this.unparsedVttFrags || []; - this.initPTS = undefined; - this.cueRanges = []; + exports.default = HLSEvents; + module.exports = exports['default']; - if (this.config.enableWebVTT) { - this.tracks = data.subtitles || []; - var inUseTracks = this.media ? this.media.textTracks : []; + /***/ }), - this.tracks.forEach(function (track, index) { - var textTrack = void 0; - if (index < inUseTracks.length) { - var inUseTrack = inUseTracks[index]; - // Reuse tracks with the same label, but do not reuse 608/708 tracks - if (reuseVttTextTrack(inUseTrack, track)) { - textTrack = inUseTrack; - } - } - if (!textTrack) { - textTrack = _this3.createTextTrack('subtitles', track.name, track.lang); - } + /***/ "./src/playbacks/flashls/index.js": + /*!****************************************!*\ + !*** ./src/playbacks/flashls/index.js ***! + \****************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - if (track.default) { - textTrack.mode = _this3.hls.subtitleDisplay ? 'showing' : 'hidden'; - } else { - textTrack.mode = 'disabled'; - } + "use strict"; - _this3.textTracks.push(textTrack); - }); - } - }; - TimelineController.prototype.onLevelSwitching = function onLevelSwitching() { - this.enabled = this.hls.currentLevel.closedCaptions !== 'NONE'; - }; + Object.defineProperty(exports, "__esModule", { + value: true + }); - TimelineController.prototype.onFragLoaded = function onFragLoaded(data) { - var frag = data.frag, - payload = data.payload; - if (frag.type === 'main') { - var sn = frag.sn; - // if this frag isn't contiguous, clear the parser so cues with bad start/end times aren't added to the textTrack - if (sn !== this.lastSn + 1) { - var cea608Parser = this.cea608Parser; - if (cea608Parser) { - cea608Parser.reset(); - } - } - this.lastSn = sn; - } // eslint-disable-line brace-style - // If fragment is subtitle type, parse as WebVTT. - else if (frag.type === 'subtitle') { - if (payload.byteLength) { - // We need an initial synchronisation PTS. Store fragments as long as none has arrived. - if (typeof this.initPTS === 'undefined') { - this.unparsedVttFrags.push(data); - return; - } + var _flashls = __webpack_require__(/*! ./flashls */ "./src/playbacks/flashls/flashls.js"); - var decryptData = frag.decryptdata; - // If the subtitles are not encrypted, parse VTTs now. Otherwise, we need to wait. - if (decryptData == null || decryptData.key == null || decryptData.method !== 'AES-128') { - this._parseVTTs(frag, payload); - } - } else { - // In case there is no payload, finish unsuccessfully. - this.hls.trigger(events["a" /* default */].SUBTITLE_FRAG_PROCESSED, { success: false, frag: frag }); - } - } - }; + var _flashls2 = _interopRequireDefault(_flashls); - TimelineController.prototype._parseVTTs = function _parseVTTs(frag, payload) { - var vttCCs = this.vttCCs; - if (!vttCCs[frag.cc]) { - vttCCs[frag.cc] = { start: frag.start, prevCC: this.prevCC, new: true }; - this.prevCC = frag.cc; - } - var textTracks = this.textTracks, - hls = this.hls; - - // Parse the WebVTT file contents. - webvtt_parser.parse(payload, this.initPTS, vttCCs, frag.cc, function (cues) { - var currentTrack = textTracks[frag.trackId]; - // WebVTTParser.parse is an async method and if the currently selected text track mode is set to "disabled" - // before parsing is done then don't try to access currentTrack.cues.getCueById as cues will be null - // and trying to access getCueById method of cues will throw an exception - if (currentTrack.mode === 'disabled') { - hls.trigger(events["a" /* default */].SUBTITLE_FRAG_PROCESSED, { success: false, frag: frag }); - return; - } - // Add cues and trigger event with success true. - cues.forEach(function (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. - if (!currentTrack.cues.getCueById(cue.id)) { - try { - currentTrack.addCue(cue); - } catch (err) { - var textTrackCue = new window.TextTrackCue(cue.startTime, cue.endTime, cue.text); - textTrackCue.id = cue.id; - currentTrack.addCue(textTrackCue); - } - } - }); - hls.trigger(events["a" /* default */].SUBTITLE_FRAG_PROCESSED, { success: true, frag: frag }); - }, function (e) { - // Something went wrong while parsing. Trigger event with success false. - logger["b" /* logger */].log('Failed to parse VTT cue: ' + e); - hls.trigger(events["a" /* default */].SUBTITLE_FRAG_PROCESSED, { success: false, frag: frag }); - }); - }; + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - TimelineController.prototype.onFragDecrypted = function onFragDecrypted(data) { - var decryptedData = data.payload, - frag = data.frag; + exports.default = _flashls2.default; + module.exports = exports['default']; - if (frag.type === 'subtitle') { - if (typeof this.initPTS === 'undefined') { - this.unparsedVttFrags.push(data); - return; - } + /***/ }), - this._parseVTTs(frag, decryptedData); - } - }; + /***/ "./src/playbacks/flashls/public/HLSPlayer.swf": + /*!****************************************************!*\ + !*** ./src/playbacks/flashls/public/HLSPlayer.swf ***! + \****************************************************/ + /*! no static exports found */ + /***/ (function(module, exports) { - TimelineController.prototype.onFragParsingUserdata = function onFragParsingUserdata(data) { - // push all of the CEA-708 messages into the interpreter - // immediately. It will create the proper timestamps based on our PTS value - if (this.enabled && this.config.enableCEA708Captions) { - for (var i = 0; i < data.samples.length; i++) { - var ccdatas = this.extractCea608Data(data.samples[i].bytes); - this.cea608Parser.addData(data.samples[i].pts, ccdatas); - } - } - }; + module.exports = "<%=baseUrl%>/8fa12a459188502b9f0d39b8a67d9e6c.swf"; - TimelineController.prototype.extractCea608Data = function extractCea608Data(byteArray) { - var count = byteArray[0] & 31; - var position = 2; - var tmpByte = void 0, - ccbyte1 = void 0, - ccbyte2 = void 0, - ccValid = void 0, - ccType = void 0; - var actualCCBytes = []; - - for (var j = 0; j < count; j++) { - tmpByte = byteArray[position++]; - ccbyte1 = 0x7F & byteArray[position++]; - ccbyte2 = 0x7F & byteArray[position++]; - ccValid = (4 & tmpByte) !== 0; - ccType = 3 & tmpByte; - - if (ccbyte1 === 0 && ccbyte2 === 0) { - continue; - } + /***/ }), - if (ccValid) { - if (ccType === 0) { - // || ccType === 1 - actualCCBytes.push(ccbyte1); - actualCCBytes.push(ccbyte2); - } - } - } - return actualCCBytes; - }; + /***/ "./src/playbacks/hls/hls.js": + /*!**********************************!*\ + !*** ./src/playbacks/hls/hls.js ***! + \**********************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - return TimelineController; - }(event_handler); + "use strict"; - /* harmony default export */ var timeline_controller = (timeline_controller_TimelineController); -// CONCATENATED MODULE: ./src/controller/subtitle-track-controller.js - var subtitle_track_controller__createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); - function subtitle_track_controller__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + Object.defineProperty(exports, "__esModule", { + value: true + }); - function subtitle_track_controller__possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call && (typeof call === "object" || typeof call === "function") ? call : self; } + var _toConsumableArray2 = __webpack_require__(/*! babel-runtime/helpers/toConsumableArray */ "./node_modules/babel-runtime/helpers/toConsumableArray.js"); - function subtitle_track_controller__inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; } + var _toConsumableArray3 = _interopRequireDefault(_toConsumableArray2); - /* - * subtitle track controller -*/ + var _stringify = __webpack_require__(/*! babel-runtime/core-js/json/stringify */ "./node_modules/babel-runtime/core-js/json/stringify.js"); + var _stringify2 = _interopRequireDefault(_stringify); + var _extends2 = __webpack_require__(/*! babel-runtime/helpers/extends */ "./node_modules/babel-runtime/helpers/extends.js"); + var _extends3 = _interopRequireDefault(_extends2); + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); - function filterSubtitleTracks(textTrackList) { - var tracks = []; - for (var i = 0; i < textTrackList.length; i++) { - if (textTrackList[i].kind === 'subtitles') { - tracks.push(textTrackList[i]); - } - } - return tracks; - } + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); - var subtitle_track_controller_SubtitleTrackController = function (_EventHandler) { - subtitle_track_controller__inherits(SubtitleTrackController, _EventHandler); + var _possibleConstructorReturn2 = __webpack_require__(/*! babel-runtime/helpers/possibleConstructorReturn */ "./node_modules/babel-runtime/helpers/possibleConstructorReturn.js"); - function SubtitleTrackController(hls) { - subtitle_track_controller__classCallCheck(this, SubtitleTrackController); + var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); - var _this = subtitle_track_controller__possibleConstructorReturn(this, _EventHandler.call(this, hls, events["a" /* default */].MEDIA_ATTACHED, events["a" /* default */].MEDIA_DETACHING, events["a" /* default */].MANIFEST_LOADING, events["a" /* default */].MANIFEST_LOADED, events["a" /* default */].SUBTITLE_TRACK_LOADED)); + var _createClass2 = __webpack_require__(/*! babel-runtime/helpers/createClass */ "./node_modules/babel-runtime/helpers/createClass.js"); - _this.tracks = []; - _this.trackId = -1; - _this.media = null; + var _createClass3 = _interopRequireDefault(_createClass2); - /** - * @member {boolean} subtitleDisplay Enable/disable subtitle display rendering - */ - _this.subtitleDisplay = true; - return _this; - } + var _inherits2 = __webpack_require__(/*! babel-runtime/helpers/inherits */ "./node_modules/babel-runtime/helpers/inherits.js"); - SubtitleTrackController.prototype._onTextTracksChanged = function _onTextTracksChanged() { - // Media is undefined when switching streams via loadSource() - if (!this.media) { - return; - } + var _inherits3 = _interopRequireDefault(_inherits2); - var trackId = -1; - var tracks = filterSubtitleTracks(this.media.textTracks); - for (var id = 0; id < tracks.length; id++) { - if (tracks[id].mode === 'hidden') { - // Do not break in case there is a following track with showing. - trackId = id; - } else if (tracks[id].mode === 'showing') { - trackId = id; - break; - } - } + var _html5_video = __webpack_require__(/*! ../../playbacks/html5_video */ "./src/playbacks/html5_video/index.js"); - // Setting current subtitleTrack will invoke code. - this.subtitleTrack = trackId; - }; + var _html5_video2 = _interopRequireDefault(_html5_video); - SubtitleTrackController.prototype.destroy = function destroy() { - event_handler.prototype.destroy.call(this); - }; + var _hls = __webpack_require__(/*! hls.js */ "./node_modules/hls.js/dist/hls.js"); - // Listen for subtitle track change, then extract the current track ID. + var _hls2 = _interopRequireDefault(_hls); + var _events = __webpack_require__(/*! ../../base/events */ "./src/base/events.js"); - SubtitleTrackController.prototype.onMediaAttached = function onMediaAttached(data) { - var _this2 = this; + var _events2 = _interopRequireDefault(_events); - this.media = data.media; - if (!this.media) { - return; - } + var _playback = __webpack_require__(/*! ../../base/playback */ "./src/base/playback.js"); - if (this.queuedDefaultTrack) { - this.subtitleTrack = this.queuedDefaultTrack; - delete this.queuedDefaultTrack; - } + var _playback2 = _interopRequireDefault(_playback); - this.trackChangeListener = this._onTextTracksChanged.bind(this); + var _utils = __webpack_require__(/*! ../../base/utils */ "./src/base/utils.js"); - this.useTextTrackPolling = !(this.media.textTracks && 'onchange' in this.media.textTracks); - if (this.useTextTrackPolling) { - this.subtitlePollingInterval = setInterval(function () { - _this2.trackChangeListener(); - }, 500); - } else { - this.media.textTracks.addEventListener('change', this.trackChangeListener); - } - }; + var _log = __webpack_require__(/*! ../../plugins/log */ "./src/plugins/log/index.js"); - SubtitleTrackController.prototype.onMediaDetaching = function onMediaDetaching() { - if (!this.media) { - return; - } + var _log2 = _interopRequireDefault(_log); - if (this.useTextTrackPolling) { - clearInterval(this.subtitlePollingInterval); - } else { - this.media.textTracks.removeEventListener('change', this.trackChangeListener); - } + var _error = __webpack_require__(/*! ../../components/error */ "./src/components/error/index.js"); - this.media = null; - }; + var _error2 = _interopRequireDefault(_error); - // Reset subtitle tracks on manifest loading + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + var AUTO = -1; // Copyright 2014 Globo.com Player authors. All rights reserved. +// Use of this source code is governed by a BSD-style +// license that can be found in the LICENSE file. - SubtitleTrackController.prototype.onManifestLoading = function onManifestLoading() { - this.tracks = []; - this.trackId = -1; - }; + var HLS = function (_HTML5VideoPlayback) { + (0, _inherits3.default)(HLS, _HTML5VideoPlayback); + (0, _createClass3.default)(HLS, [{ + key: 'name', + get: function get() { + return 'hls'; + } + }, { + key: 'levels', + get: function get() { + return this._levels || []; + } + }, { + key: 'currentLevel', + get: function get() { + if (this._currentLevel === null || this._currentLevel === undefined) return AUTO;else return this._currentLevel; //0 is a valid level ID + }, + set: function set(id) { + this._currentLevel = id; + this.trigger(_events2.default.PLAYBACK_LEVEL_SWITCH_START); + if (this.options.playback.hlsUseNextLevel) this._hls.nextLevel = this._currentLevel;else this._hls.currentLevel = this._currentLevel; + } + }, { + key: 'isReady', + get: function get() { + return this._isReadyState; + } + }, { + key: '_startTime', + get: function get() { + if (this._playbackType === _playback2.default.LIVE && this._playlistType !== 'EVENT') return this._extrapolatedStartTime; - // Fired whenever a new manifest is loaded. + return this._playableRegionStartTime; + } + }, { + key: '_now', + get: function get() { + return (0, _utils.now)(); + } + // the time in the video element which should represent the start of the sliding window + // extrapolated to increase in real time (instead of jumping as the early segments are removed) - SubtitleTrackController.prototype.onManifestLoaded = function onManifestLoaded(data) { - var _this3 = this; + }, { + key: '_extrapolatedStartTime', + get: function get() { + if (!this._localStartTimeCorrelation) return this._playableRegionStartTime; - var tracks = data.subtitles || []; - this.tracks = tracks; - this.trackId = -1; - this.hls.trigger(events["a" /* default */].SUBTITLE_TRACKS_UPDATED, { subtitleTracks: tracks }); + var corr = this._localStartTimeCorrelation; + var timePassed = this._now - corr.local; + var extrapolatedWindowStartTime = (corr.remote + timePassed) / 1000; + // cap at the end of the extrapolated window duration + return Math.min(extrapolatedWindowStartTime, this._playableRegionStartTime + this._extrapolatedWindowDuration); + } - // loop through available subtitle tracks and autoselect default if needed - // TODO: improve selection logic to handle forced, etc - tracks.forEach(function (track) { - if (track.default) { - // setting this.subtitleTrack will trigger internal logic - // if media has not been attached yet, it will fail - // we keep a reference to the default track id - // and we'll set subtitleTrack when onMediaAttached is triggered - if (_this3.media) { - _this3.subtitleTrack = track.id; - } else { - _this3.queuedDefaultTrack = track.id; - } - } - }); - }; + // the time in the video element which should represent the end of the content + // extrapolated to increase in real time (instead of jumping as segments are added) - // Trigger subtitle track playlist reload. + }, { + key: '_extrapolatedEndTime', + get: function get() { + var actualEndTime = this._playableRegionStartTime + this._playableRegionDuration; + if (!this._localEndTimeCorrelation) return actualEndTime; + var corr = this._localEndTimeCorrelation; + var timePassed = this._now - corr.local; + var extrapolatedEndTime = (corr.remote + timePassed) / 1000; + return Math.max(actualEndTime - this._extrapolatedWindowDuration, Math.min(extrapolatedEndTime, actualEndTime)); + } + }, { + key: '_duration', + get: function get() { + return this._extrapolatedEndTime - this._startTime; + } - SubtitleTrackController.prototype.onTick = function onTick() { - var trackId = this.trackId; - var subtitleTrack = this.tracks[trackId]; - if (!subtitleTrack) { - return; - } + // Returns the duration (seconds) of the window that the extrapolated start time is allowed + // to move in before being capped. + // The extrapolated start time should never reach the cap at the end of the window as the + // window should slide as chunks are removed from the start. + // This also applies to the extrapolated end time in the same way. + // + // If chunks aren't being removed for some reason that the start time will reach and remain fixed at + // playableRegionStartTime + extrapolatedWindowDuration + // + // <-- window duration --> + // I.e playableRegionStartTime |-----------------------| + // | --> . . . + // . --> | --> . . + // . . --> | --> . + // . . . --> | + // . . . . + // extrapolatedStartTime - var details = subtitleTrack.details; - // check if we need to load playlist for this subtitle Track - if (!details || details.live) { - // track not retrieved yet, or live playlist we need to (re)load it - logger["b" /* logger */].log('(re)loading playlist for subtitle track ' + trackId); - this.hls.trigger(events["a" /* default */].SUBTITLE_TRACK_LOADING, { url: subtitleTrack.url, id: trackId }); - } - }; + }, { + key: '_extrapolatedWindowDuration', + get: function get() { + if (this._segmentTargetDuration === null) return 0; - SubtitleTrackController.prototype.onSubtitleTrackLoaded = function onSubtitleTrackLoaded(data) { - var _this4 = this; - - if (data.id < this.tracks.length) { - logger["b" /* logger */].log('subtitle track ' + data.id + ' loaded'); - this.tracks[data.id].details = data.details; - // check if current playlist is a live playlist - if (data.details.live && !this.timer) { - // if live playlist we will have to reload it periodically - // set reload period to playlist target duration - this.timer = setInterval(function () { - _this4.onTick(); - }, 1000 * data.details.targetduration, this); - } - if (!data.details.live && this.timer) { - // playlist is not live and timer is armed : stopping it - this._stopTimer(); - } - } - }; + return this._extrapolatedWindowNumSegments * this._segmentTargetDuration; + } + }], [{ + key: 'HLSJS', + get: function get() { + return _hls2.default; + } + }]); - /** get alternate subtitle tracks list from playlist **/ + function HLS() { + (0, _classCallCheck3.default)(this, HLS); + for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) { + args[_key] = arguments[_key]; + } - /** - * This method is responsible for validating the subtitle index and periodically reloading if live. - * Dispatches the SUBTITLE_TRACK_SWITCH event, which instructs the subtitle-stream-controller to load the selected track. - * @param newId - The id of the subtitle track to activate. - */ - SubtitleTrackController.prototype.setSubtitleTrackInternal = function setSubtitleTrackInternal(newId) { - var hls = this.hls, - tracks = this.tracks; + // backwards compatibility (TODO: remove on 0.3.0) + var _this = (0, _possibleConstructorReturn3.default)(this, _HTML5VideoPlayback.call.apply(_HTML5VideoPlayback, [this].concat(args))); + + _this.options.playback = (0, _extends3.default)({}, _this.options, _this.options.playback); + _this._minDvrSize = typeof _this.options.hlsMinimumDvrSize === 'undefined' ? 60 : _this.options.hlsMinimumDvrSize; + // The size of the start time extrapolation window measured as a multiple of segments. + // Should be 2 or higher, or 0 to disable. Should only need to be increased above 2 if more than one segment is + // removed from the start of the playlist at a time. E.g if the playlist is cached for 10 seconds and new chunks are + // added/removed every 5. + _this._extrapolatedWindowNumSegments = !_this.options.playback || typeof _this.options.playback.extrapolatedWindowNumSegments === 'undefined' ? 2 : _this.options.playback.extrapolatedWindowNumSegments; + + _this._playbackType = _playback2.default.VOD; + _this._lastTimeUpdate = { current: 0, total: 0 }; + _this._lastDuration = null; + // for hls streams which have dvr with a sliding window, + // the content at the start of the playlist is removed as new + // content is appended at the end. + // this means the actual playable start time will increase as the + // start content is deleted + // For streams with dvr where the entire recording is kept from the + // beginning this should stay as 0 + _this._playableRegionStartTime = 0; + // {local, remote} remote is the time in the video element that should represent 0 + // local is the system time when the 'remote' measurment took place + _this._localStartTimeCorrelation = null; + // {local, remote} remote is the time in the video element that should represents the end + // local is the system time when the 'remote' measurment took place + _this._localEndTimeCorrelation = null; + // if content is removed from the beginning then this empty area should + // be ignored. "playableRegionDuration" excludes the empty area + _this._playableRegionDuration = 0; + // #EXT-X-PROGRAM-DATE-TIME + _this._programDateTime = 0; + // true when the actual duration is longer than hlsjs's live sync point + // when this is false playableRegionDuration will be the actual duration + // when this is true playableRegionDuration will exclude the time after the sync point + _this._durationExcludesAfterLiveSyncPoint = false; + // #EXT-X-TARGETDURATION + _this._segmentTargetDuration = null; + // #EXT-X-PLAYLIST-TYPE + _this._playlistType = null; + _this._recoverAttemptsRemaining = _this.options.hlsRecoverAttempts || 16; + return _this; + } - if (typeof newId !== 'number' || newId < -1 || newId >= tracks.length) { - return; - } + HLS.prototype._setup = function _setup() { + var _this2 = this; - this._stopTimer(); - this.trackId = newId; - logger["b" /* logger */].log('switching to subtitle track ' + newId); - hls.trigger(events["a" /* default */].SUBTITLE_TRACK_SWITCH, { id: newId }); - if (newId === -1) { - return; - } + this._ccIsSetup = false; + this._ccTracksUpdated = false; + this._hls = new _hls2.default((0, _utils.assign)({}, this.options.playback.hlsjsConfig)); + this._hls.on(_hls2.default.Events.MEDIA_ATTACHED, function () { + return _this2._hls.loadSource(_this2.options.src); + }); + this._hls.on(_hls2.default.Events.LEVEL_LOADED, function (evt, data) { + return _this2._updatePlaybackType(evt, data); + }); + this._hls.on(_hls2.default.Events.LEVEL_UPDATED, function (evt, data) { + return _this2._onLevelUpdated(evt, data); + }); + this._hls.on(_hls2.default.Events.LEVEL_SWITCHING, function (evt, data) { + return _this2._onLevelSwitch(evt, data); + }); + this._hls.on(_hls2.default.Events.FRAG_LOADED, function (evt, data) { + return _this2._onFragmentLoaded(evt, data); + }); + this._hls.on(_hls2.default.Events.ERROR, function (evt, data) { + return _this2._onHLSJSError(evt, data); + }); + this._hls.on(_hls2.default.Events.SUBTITLE_TRACK_LOADED, function (evt, data) { + return _this2._onSubtitleLoaded(evt, data); + }); + this._hls.on(_hls2.default.Events.SUBTITLE_TRACKS_UPDATED, function () { + return _this2._ccTracksUpdated = true; + }); + this._hls.attachMedia(this.el); + }; - // check if we need to load playlist for this subtitle Track - var subtitleTrack = tracks[newId]; - var details = subtitleTrack.details; - if (!details || details.live) { - // track not retrieved yet, or live playlist we need to (re)load it - logger["b" /* logger */].log('(re)loading playlist for subtitle track ' + newId); - hls.trigger(events["a" /* default */].SUBTITLE_TRACK_LOADING, { url: subtitleTrack.url, id: newId }); - } - }; + HLS.prototype.render = function render() { + this._ready(); + return _HTML5VideoPlayback.prototype.render.call(this); + }; - SubtitleTrackController.prototype._stopTimer = function _stopTimer() { - if (this.timer) { - clearInterval(this.timer); - this.timer = null; - } - }; + HLS.prototype._ready = function _ready() { + this._isReadyState = true; + this.trigger(_events2.default.PLAYBACK_READY, this.name); + }; - /** - * Disables the old subtitleTrack and sets current mode on the next subtitleTrack. - * This operates on the DOM textTracks. - * A value of -1 will disable all subtitle tracks. - * @param newId - The id of the next track to enable - * @private - */ + HLS.prototype._recover = function _recover(evt, data, error) { + if (!this._recoveredDecodingError) { + this._recoveredDecodingError = true; + this._hls.recoverMediaError(); + } else if (!this._recoveredAudioCodecError) { + this._recoveredAudioCodecError = true; + this._hls.swapAudioCodec(); + this._hls.recoverMediaError(); + } else { + _log2.default.error('hlsjs: failed to recover', { evt: evt, data: data }); + error.level = _error2.default.Levels.FATAL; + var formattedError = this.createError(error); + this.trigger(_events2.default.PLAYBACK_ERROR, formattedError); + this.stop(); + } + }; + // override - SubtitleTrackController.prototype._toggleTrackModes = function _toggleTrackModes(newId) { - var media = this.media, - subtitleDisplay = this.subtitleDisplay, - trackId = this.trackId; - if (!media) { - return; - } + HLS.prototype._setupSrc = function _setupSrc(srcUrl) {// eslint-disable-line no-unused-vars + // this playback manages the src on the video element itself + }; - var textTracks = filterSubtitleTracks(media.textTracks); - if (newId === -1) { - [].slice.call(textTracks).forEach(function (track) { - track.mode = 'disabled'; - }); - } else { - var oldTrack = textTracks[trackId]; - if (oldTrack) { - oldTrack.mode = 'disabled'; - } - } + HLS.prototype._startTimeUpdateTimer = function _startTimeUpdateTimer() { + var _this3 = this; - var nextTrack = textTracks[newId]; - if (nextTrack) { - nextTrack.mode = subtitleDisplay ? 'showing' : 'hidden'; - } - }; + if (this._timeUpdateTimer) return; - subtitle_track_controller__createClass(SubtitleTrackController, [{ - key: 'subtitleTracks', - get: function get() { - return this.tracks; - } + this._timeUpdateTimer = setInterval(function () { + _this3._onDurationChange(); + _this3._onTimeUpdate(); + }, 100); + }; - /** get index of the selected subtitle track (index in subtitle track lists) **/ + HLS.prototype._stopTimeUpdateTimer = function _stopTimeUpdateTimer() { + if (!this._timeUpdateTimer) return; - }, { - key: 'subtitleTrack', - get: function get() { - return this.trackId; - } + clearInterval(this._timeUpdateTimer); + this._timeUpdateTimer = null; + }; - /** select a subtitle track, based on its index in subtitle track lists**/ - , - set: function set(subtitleTrackId) { - if (this.trackId !== subtitleTrackId) { - this._toggleTrackModes(subtitleTrackId); - this.setSubtitleTrackInternal(subtitleTrackId); - } - } - }]); + HLS.prototype.getProgramDateTime = function getProgramDateTime() { + return this._programDateTime; + }; + // the duration on the video element itself should not be used + // as this does not necesarily represent the duration of the stream + // https://github.com/clappr/clappr/issues/668#issuecomment-157036678 - return SubtitleTrackController; - }(event_handler); - /* harmony default export */ var subtitle_track_controller = (subtitle_track_controller_SubtitleTrackController); -// EXTERNAL MODULE: ./src/crypt/decrypter.js + 3 modules - var decrypter = __webpack_require__(8); + HLS.prototype.getDuration = function getDuration() { + return this._duration; + }; -// CONCATENATED MODULE: ./src/controller/subtitle-stream-controller.js - function subtitle_stream_controller__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + HLS.prototype.getCurrentTime = function getCurrentTime() { + // e.g. can be < 0 if user pauses near the start + // eventually they will then be kicked to the end by hlsjs if they run out of buffer + // before the official start time + return Math.max(0, this.el.currentTime - this._startTime); + }; - function subtitle_stream_controller__possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call && (typeof call === "object" || typeof call === "function") ? call : self; } + // the time that "0" now represents relative to when playback started + // for a stream with a sliding window this will increase as content is + // removed from the beginning - function subtitle_stream_controller__inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; } - /* - * Subtitle Stream Controller -*/ + HLS.prototype.getStartTimeOffset = function getStartTimeOffset() { + return this._startTime; + }; + HLS.prototype.seekPercentage = function seekPercentage(percentage) { + var seekTo = this._duration; + if (percentage > 0) seekTo = this._duration * (percentage / 100); + this.seek(seekTo); + }; + HLS.prototype.seek = function seek(time) { + if (time < 0) { + _log2.default.warn('Attempt to seek to a negative time. Resetting to live point. Use seekToLivePoint() to seek to the live point.'); + time = this.getDuration(); + } + // assume live if time within 3 seconds of end of stream + this.dvrEnabled && this._updateDvr(time < this.getDuration() - 3); + time += this._startTime; + _HTML5VideoPlayback.prototype.seek.call(this, time); + }; + HLS.prototype.seekToLivePoint = function seekToLivePoint() { + this.seek(this.getDuration()); + }; + HLS.prototype._updateDvr = function _updateDvr(status) { + this.trigger(_events2.default.PLAYBACK_DVR, status); + this.trigger(_events2.default.PLAYBACK_STATS_ADD, { 'dvr': status }); + }; - var subtitle_stream_controller__window = window, - subtitle_stream_controller_performance = subtitle_stream_controller__window.performance; + HLS.prototype._updateSettings = function _updateSettings() { + if (this._playbackType === _playback2.default.VOD) this.settings.left = ['playpause', 'position', 'duration'];else if (this.dvrEnabled) this.settings.left = ['playpause'];else this.settings.left = ['playstop']; + this.settings.seekEnabled = this.isSeekEnabled(); + this.trigger(_events2.default.PLAYBACK_SETTINGSUPDATE); + }; - var subtitle_stream_controller_State = { - STOPPED: 'STOPPED', - IDLE: 'IDLE', - KEY_LOADING: 'KEY_LOADING', - FRAG_LOADING: 'FRAG_LOADING' + HLS.prototype._onHLSJSError = function _onHLSJSError(evt, data) { + var error = { + code: data.type + '_' + data.details, + description: this.name + ' error: type: ' + data.type + ', details: ' + data.details, + raw: data }; + var formattedError = void 0; + if (data.response) error.description += ', response: ' + (0, _stringify2.default)(data.response); + // only report/handle errors if they are fatal + // hlsjs should automatically handle non fatal errors + if (data.fatal) { + if (this._recoverAttemptsRemaining > 0) { + this._recoverAttemptsRemaining -= 1; + switch (data.type) { + case _hls2.default.ErrorTypes.NETWORK_ERROR: + switch (data.details) { + // The following network errors cannot be recovered with HLS.startLoad() + // For more details, see https://github.com/video-dev/hls.js/blob/master/doc/design.md#error-detection-and-handling + // For "level load" fatal errors, see https://github.com/video-dev/hls.js/issues/1138 + case _hls2.default.ErrorDetails.MANIFEST_LOAD_ERROR: + case _hls2.default.ErrorDetails.MANIFEST_LOAD_TIMEOUT: + case _hls2.default.ErrorDetails.MANIFEST_PARSING_ERROR: + case _hls2.default.ErrorDetails.LEVEL_LOAD_ERROR: + case _hls2.default.ErrorDetails.LEVEL_LOAD_TIMEOUT: + _log2.default.error('hlsjs: unrecoverable network fatal error.', { evt: evt, data: data }); + formattedError = this.createError(error); + this.trigger(_events2.default.PLAYBACK_ERROR, formattedError); + this.stop(); + break; + default: + _log2.default.warn('hlsjs: trying to recover from network error.', { evt: evt, data: data }); + error.level = _error2.default.Levels.WARN; + this.createError(error); + this._hls.startLoad(); + break; + } + break; + case _hls2.default.ErrorTypes.MEDIA_ERROR: + _log2.default.warn('hlsjs: trying to recover from media error.', { evt: evt, data: data }); + error.level = _error2.default.Levels.WARN; + this.createError(error); + this._recover(evt, data, error); + break; + default: + _log2.default.error('hlsjs: could not recover from error.', { evt: evt, data: data }); + formattedError = this.createError(error); + this.trigger(_events2.default.PLAYBACK_ERROR, formattedError); + this.stop(); + break; + } + } else { + _log2.default.error('hlsjs: could not recover from error after maximum number of attempts.', { evt: evt, data: data }); + formattedError = this.createError(error); + this.trigger(_events2.default.PLAYBACK_ERROR, formattedError); + this.stop(); + } + } else { + // Transforms HLSJS.ErrorDetails.KEY_LOAD_ERROR non-fatal error to + // playback fatal error if triggerFatalErrorOnResourceDenied playback + // option is set. HLSJS.ErrorTypes.KEY_SYSTEM_ERROR are fatal errors + // and therefore already handled. + if (this.options.playback.triggerFatalErrorOnResourceDenied && this._keyIsDenied(data)) { + _log2.default.error('hlsjs: could not load decrypt key.', { evt: evt, data: data }); + formattedError = this.createError(error); + this.trigger(_events2.default.PLAYBACK_ERROR, formattedError); + this.stop(); + return; + } - var subtitle_stream_controller_SubtitleStreamController = function (_TaskLoop) { - subtitle_stream_controller__inherits(SubtitleStreamController, _TaskLoop); + error.level = _error2.default.Levels.WARN; + this.createError(error); + _log2.default.warn('hlsjs: non-fatal error occurred', { evt: evt, data: data }); + } + }; - function SubtitleStreamController(hls) { - subtitle_stream_controller__classCallCheck(this, SubtitleStreamController); + HLS.prototype._keyIsDenied = function _keyIsDenied(data) { + return data.type === _hls2.default.ErrorTypes.NETWORK_ERROR && data.details === _hls2.default.ErrorDetails.KEY_LOAD_ERROR && data.response && data.response.code >= 400; + }; - var _this = subtitle_stream_controller__possibleConstructorReturn(this, _TaskLoop.call(this, hls, events["a" /* default */].MEDIA_ATTACHED, events["a" /* default */].ERROR, events["a" /* default */].KEY_LOADED, events["a" /* default */].FRAG_LOADED, events["a" /* default */].SUBTITLE_TRACKS_UPDATED, events["a" /* default */].SUBTITLE_TRACK_SWITCH, events["a" /* default */].SUBTITLE_TRACK_LOADED, events["a" /* default */].SUBTITLE_FRAG_PROCESSED)); + HLS.prototype._onTimeUpdate = function _onTimeUpdate() { + var update = { current: this.getCurrentTime(), total: this.getDuration(), firstFragDateTime: this.getProgramDateTime() }; + var isSame = this._lastTimeUpdate && update.current === this._lastTimeUpdate.current && update.total === this._lastTimeUpdate.total; + if (isSame) return; - _this.config = hls.config; - _this.vttFragSNsProcessed = {}; - _this.vttFragQueues = undefined; - _this.currentlyProcessing = null; - _this.state = subtitle_stream_controller_State.STOPPED; - _this.currentTrackId = -1; - _this.decrypter = new decrypter["a" /* default */](hls.observer, hls.config); - return _this; - } + this._lastTimeUpdate = update; + this.trigger(_events2.default.PLAYBACK_TIMEUPDATE, update, this.name); + }; - SubtitleStreamController.prototype.onHandlerDestroyed = function onHandlerDestroyed() { - this.state = subtitle_stream_controller_State.STOPPED; - }; + HLS.prototype._onDurationChange = function _onDurationChange() { + var duration = this.getDuration(); + if (this._lastDuration === duration) return; - // Remove all queued items and create a new, empty queue for each track. + this._lastDuration = duration; + _HTML5VideoPlayback.prototype._onDurationChange.call(this); + }; + HLS.prototype._onProgress = function _onProgress() { + if (!this.el.buffered.length) return; - SubtitleStreamController.prototype.clearVttFragQueues = function clearVttFragQueues() { - var _this2 = this; + var buffered = []; + var bufferedPos = 0; + for (var i = 0; i < this.el.buffered.length; i++) { + buffered = [].concat((0, _toConsumableArray3.default)(buffered), [{ + // for a stream with sliding window dvr something that is buffered my slide off the start of the timeline + start: Math.max(0, this.el.buffered.start(i) - this._playableRegionStartTime), + end: Math.max(0, this.el.buffered.end(i) - this._playableRegionStartTime) + }]); + if (this.el.currentTime >= buffered[i].start && this.el.currentTime <= buffered[i].end) bufferedPos = i; + } + var progress = { + start: buffered[bufferedPos].start, + current: buffered[bufferedPos].end, + total: this.getDuration() + }; + this.trigger(_events2.default.PLAYBACK_PROGRESS, progress, buffered); + }; - this.vttFragQueues = {}; - this.tracks.forEach(function (track) { - _this2.vttFragQueues[track.id] = []; - }); - }; + HLS.prototype.play = function play() { + if (!this._hls) this._setup(); - // If no frag is being processed and queue isn't empty, initiate processing of next frag in line. + _HTML5VideoPlayback.prototype.play.call(this); + this._startTimeUpdateTimer(); + }; + HLS.prototype.pause = function pause() { + if (!this._hls) return; - SubtitleStreamController.prototype.nextFrag = function nextFrag() { - if (this.currentlyProcessing === null && this.currentTrackId > -1 && this.vttFragQueues[this.currentTrackId].length) { - var frag = this.currentlyProcessing = this.vttFragQueues[this.currentTrackId].shift(); - this.fragCurrent = frag; - this.hls.trigger(events["a" /* default */].FRAG_LOADING, { frag: frag }); - this.state = subtitle_stream_controller_State.FRAG_LOADING; - } - }; + _HTML5VideoPlayback.prototype.pause.call(this); + if (this.dvrEnabled) this._updateDvr(true); + }; - // When fragment has finished processing, add sn to list of completed if successful. + HLS.prototype.stop = function stop() { + this._stopTimeUpdateTimer(); + if (this._hls) { + _HTML5VideoPlayback.prototype.stop.call(this); + this._hls.destroy(); + delete this._hls; + } + }; + HLS.prototype.destroy = function destroy() { + this._stopTimeUpdateTimer(); + if (this._hls) { + this._hls.destroy(); + delete this._hls; + } + _HTML5VideoPlayback.prototype.destroy.call(this); + }; - SubtitleStreamController.prototype.onSubtitleFragProcessed = function onSubtitleFragProcessed(data) { - if (data.success) { - this.vttFragSNsProcessed[data.frag.trackId].push(data.frag.sn); - } + HLS.prototype._updatePlaybackType = function _updatePlaybackType(evt, data) { + this._playbackType = data.details.live ? _playback2.default.LIVE : _playback2.default.VOD; + this._onLevelUpdated(evt, data); - this.currentlyProcessing = null; - this.state = subtitle_stream_controller_State.IDLE; - this.nextFrag(); - }; + // Live stream subtitle tracks detection hack (may not immediately available) + if (this._ccTracksUpdated && this._playbackType === _playback2.default.LIVE && this.hasClosedCaptionsTracks) this._onSubtitleLoaded(); + }; - SubtitleStreamController.prototype.onMediaAttached = function onMediaAttached() { - this.state = subtitle_stream_controller_State.IDLE; - }; + HLS.prototype._fillLevels = function _fillLevels() { + this._levels = this._hls.levels.map(function (level, index) { + return { id: index, level: level, label: level.bitrate / 1000 + 'Kbps' }; + }); + this.trigger(_events2.default.PLAYBACK_LEVELS_AVAILABLE, this._levels); + }; - // If something goes wrong, procede to next frag, if we were processing one. + HLS.prototype._onLevelUpdated = function _onLevelUpdated(evt, data) { + this._segmentTargetDuration = data.details.targetduration; + this._playlistType = data.details.type || null; + var startTimeChanged = false; + var durationChanged = false; + var fragments = data.details.fragments; + var previousPlayableRegionStartTime = this._playableRegionStartTime; + var previousPlayableRegionDuration = this._playableRegionDuration; - SubtitleStreamController.prototype.onError = function onError(data) { - var frag = data.frag; - // don't handle frag error not related to subtitle fragment - if (frag && frag.type !== 'subtitle') { - return; - } + if (fragments.length === 0) return; - if (this.currentlyProcessing) { - this.currentlyProcessing = null; - this.nextFrag(); - } - }; + // #EXT-X-PROGRAM-DATE-TIME + if (fragments[0].rawProgramDateTime) this._programDateTime = fragments[0].rawProgramDateTime; - SubtitleStreamController.prototype.doTick = function doTick() { - var _this3 = this; + if (this._playableRegionStartTime !== fragments[0].start) { + startTimeChanged = true; + this._playableRegionStartTime = fragments[0].start; + } - switch (this.state) { - case subtitle_stream_controller_State.IDLE: - var tracks = this.tracks; - var trackId = this.currentTrackId; + if (startTimeChanged) { + if (!this._localStartTimeCorrelation) { + // set the correlation to map to middle of the extrapolation window + this._localStartTimeCorrelation = { + local: this._now, + remote: (fragments[0].start + this._extrapolatedWindowDuration / 2) * 1000 + }; + } else { + // check if the correlation still works + var corr = this._localStartTimeCorrelation; + var timePassed = this._now - corr.local; + // this should point to a time within the extrapolation window + var startTime = (corr.remote + timePassed) / 1000; + if (startTime < fragments[0].start) { + // our start time is now earlier than the first chunk + // (maybe the chunk was removed early) + // reset correlation so that it sits at the beginning of the first available chunk + this._localStartTimeCorrelation = { + local: this._now, + remote: fragments[0].start * 1000 + }; + } else if (startTime > previousPlayableRegionStartTime + this._extrapolatedWindowDuration) { + // start time was past the end of the old extrapolation window (so would have been capped) + // see if now that time would be inside the window, and if it would be set the correlation + // so that it resumes from the time it was at at the end of the old window + // update the correlation so that the time starts counting again from the value it's on now + this._localStartTimeCorrelation = { + local: this._now, + remote: Math.max(fragments[0].start, previousPlayableRegionStartTime + this._extrapolatedWindowDuration) * 1000 + }; + } + } + } - var processedFragSNs = this.vttFragSNsProcessed[trackId], - fragQueue = this.vttFragQueues[trackId], - currentFragSN = this.currentlyProcessing ? this.currentlyProcessing.sn : -1; + var newDuration = data.details.totalduration; + // if it's a live stream then shorten the duration to remove access + // to the area after hlsjs's live sync point + // seeks to areas after this point sometimes have issues + if (this._playbackType === _playback2.default.LIVE) { + var fragmentTargetDuration = data.details.targetduration; + var hlsjsConfig = this.options.playback.hlsjsConfig || {}; + var liveSyncDurationCount = hlsjsConfig.liveSyncDurationCount || _hls2.default.DefaultConfig.liveSyncDurationCount; + var hiddenAreaDuration = fragmentTargetDuration * liveSyncDurationCount; + if (hiddenAreaDuration <= newDuration) { + newDuration -= hiddenAreaDuration; + this._durationExcludesAfterLiveSyncPoint = true; + } else { + this._durationExcludesAfterLiveSyncPoint = false; + } + } - var alreadyProcessed = function alreadyProcessed(frag) { - return processedFragSNs.indexOf(frag.sn) > -1; - }; + if (newDuration !== this._playableRegionDuration) { + durationChanged = true; + this._playableRegionDuration = newDuration; + } - var alreadyInQueue = function alreadyInQueue(frag) { - return fragQueue.some(function (fragInQueue) { - return fragInQueue.sn === frag.sn; - }); - }; + // Note the end time is not the playableRegionDuration + // The end time will always increase even if content is removed from the beginning + var endTime = fragments[0].start + newDuration; + var previousEndTime = previousPlayableRegionStartTime + previousPlayableRegionDuration; + var endTimeChanged = endTime !== previousEndTime; + if (endTimeChanged) { + if (!this._localEndTimeCorrelation) { + // set the correlation to map to the end + this._localEndTimeCorrelation = { + local: this._now, + remote: endTime * 1000 + }; + } else { + // check if the correlation still works + var _corr = this._localEndTimeCorrelation; + var _timePassed = this._now - _corr.local; + // this should point to a time within the extrapolation window from the end + var extrapolatedEndTime = (_corr.remote + _timePassed) / 1000; + if (extrapolatedEndTime > endTime) { + this._localEndTimeCorrelation = { + local: this._now, + remote: endTime * 1000 + }; + } else if (extrapolatedEndTime < endTime - this._extrapolatedWindowDuration) { + // our extrapolated end time is now earlier than the extrapolation window from the actual end time + // (maybe a chunk became available early) + // reset correlation so that it sits at the beginning of the extrapolation window from the end time + this._localEndTimeCorrelation = { + local: this._now, + remote: (endTime - this._extrapolatedWindowDuration) * 1000 + }; + } else if (extrapolatedEndTime > previousEndTime) { + // end time was past the old end time (so would have been capped) + // set the correlation so that it resumes from the time it was at at the end of the old window + this._localEndTimeCorrelation = { + local: this._now, + remote: previousEndTime * 1000 + }; + } + } + } - // exit if tracks don't exist - if (!tracks) { - break; - } + // now that the values have been updated call any methods that use on them so they get the updated values + // immediately + durationChanged && this._onDurationChange(); + startTimeChanged && this._onProgress(); + }; - var trackDetails; + HLS.prototype._onFragmentLoaded = function _onFragmentLoaded(evt, data) { + this.trigger(_events2.default.PLAYBACK_FRAGMENT_LOADED, data); + }; - if (trackId < tracks.length) { - trackDetails = tracks[trackId].details; - } + HLS.prototype._onSubtitleLoaded = function _onSubtitleLoaded() { + // This event may be triggered multiple times + // Setup CC only once (disable CC by default) + if (!this._ccIsSetup) { + this.trigger(_events2.default.PLAYBACK_SUBTITLE_AVAILABLE); + var trackId = this._playbackType === _playback2.default.LIVE ? -1 : this.closedCaptionsTrackId; + this.closedCaptionsTrackId = trackId; + this._ccIsSetup = true; + } + }; - if (typeof trackDetails === 'undefined') { - break; - } + HLS.prototype._onLevelSwitch = function _onLevelSwitch(evt, data) { + if (!this.levels.length) this._fillLevels(); - // Add all fragments that haven't been, aren't currently being and aren't waiting to be processed, to queue. - trackDetails.fragments.forEach(function (frag) { - if (!(alreadyProcessed(frag) || frag.sn === currentFragSN || alreadyInQueue(frag))) { - // Load key if subtitles are encrypted - if (frag.encrypted) { - logger["b" /* logger */].log('Loading key for ' + frag.sn); - _this3.state = subtitle_stream_controller_State.KEY_LOADING; - _this3.hls.trigger(events["a" /* default */].KEY_LOADING, { frag: frag }); - } else { - // Frags don't know their subtitle track ID, so let's just add that... - frag.trackId = trackId; - fragQueue.push(frag); - _this3.nextFrag(); - } - } - }); - } - }; + this.trigger(_events2.default.PLAYBACK_LEVEL_SWITCH_END); + this.trigger(_events2.default.PLAYBACK_LEVEL_SWITCH, data); + var currentLevel = this._hls.levels[data.level]; + if (currentLevel) { + // TODO should highDefinition be private and maybe have a read only accessor if it's used somewhere + this.highDefinition = currentLevel.height >= 720 || currentLevel.bitrate / 1000 >= 2000; + this.trigger(_events2.default.PLAYBACK_HIGHDEFINITIONUPDATE, this.highDefinition); + this.trigger(_events2.default.PLAYBACK_BITRATE, { + height: currentLevel.height, + width: currentLevel.width, + bandwidth: currentLevel.bitrate, + bitrate: currentLevel.bitrate, + level: data.level + }); + } + }; - // Got all new subtitle tracks. + HLS.prototype.getPlaybackType = function getPlaybackType() { + return this._playbackType; + }; + HLS.prototype.isSeekEnabled = function isSeekEnabled() { + return this._playbackType === _playback2.default.VOD || this.dvrEnabled; + }; - SubtitleStreamController.prototype.onSubtitleTracksUpdated = function onSubtitleTracksUpdated(data) { - var _this4 = this; + (0, _createClass3.default)(HLS, [{ + key: 'dvrEnabled', + get: function get() { + // enabled when: + // - the duration does not include content after hlsjs's live sync point + // - the playable region duration is longer than the configured duration to enable dvr after + // - the playback type is LIVE. + return this._durationExcludesAfterLiveSyncPoint && this._duration >= this._minDvrSize && this.getPlaybackType() === _playback2.default.LIVE; + } + }]); + return HLS; + }(_html5_video2.default); - logger["b" /* logger */].log('subtitle tracks updated'); - this.tracks = data.subtitleTracks; - this.clearVttFragQueues(); - this.vttFragSNsProcessed = {}; - this.tracks.forEach(function (track) { - _this4.vttFragSNsProcessed[track.id] = []; - }); - }; + exports.default = HLS; - SubtitleStreamController.prototype.onSubtitleTrackSwitch = function onSubtitleTrackSwitch(data) { - this.currentTrackId = data.id; - if (!this.tracks || this.currentTrackId === -1) { - return; - } - // Check if track was already loaded and if so make sure we finish - // downloading its frags, if not all have been downloaded yet - var currentTrack = this.tracks[this.currentTrackId]; - if (currentTrack && currentTrack.details) { - this.tick(); - } - }; + HLS.canPlay = function (resource, mimeType) { + var resourceParts = resource.split('?')[0].match(/.*\.(.*)$/) || []; + var isHls = resourceParts.length > 1 && resourceParts[1].toLowerCase() === 'm3u8' || (0, _utils.listContainsIgnoreCase)(mimeType, ['application/vnd.apple.mpegurl', 'application/x-mpegURL']); - // Got a new set of subtitle fragments. + return !!(_hls2.default.isSupported() && isHls); + }; + module.exports = exports['default']; + /***/ }), - SubtitleStreamController.prototype.onSubtitleTrackLoaded = function onSubtitleTrackLoaded() { - this.tick(); - }; + /***/ "./src/playbacks/hls/index.js": + /*!************************************!*\ + !*** ./src/playbacks/hls/index.js ***! + \************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - SubtitleStreamController.prototype.onKeyLoaded = function onKeyLoaded() { - if (this.state === subtitle_stream_controller_State.KEY_LOADING) { - this.state = subtitle_stream_controller_State.IDLE; - this.tick(); - } - }; + "use strict"; - SubtitleStreamController.prototype.onFragLoaded = function onFragLoaded(data) { - var fragCurrent = this.fragCurrent, - decryptData = data.frag.decryptdata; - var fragLoaded = data.frag, - hls = this.hls; - if (this.state === subtitle_stream_controller_State.FRAG_LOADING && fragCurrent && data.frag.type === 'subtitle' && fragCurrent.sn === data.frag.sn) { - // check to see if the payload needs to be decrypted - if (data.payload.byteLength > 0 && decryptData != null && decryptData.key != null && decryptData.method === 'AES-128') { - var startTime = void 0; - try { - startTime = subtitle_stream_controller_performance.now(); - } catch (error) { - startTime = Date.now(); - } - // decrypt the subtitles - this.decrypter.decrypt(data.payload, decryptData.key.buffer, decryptData.iv.buffer, function (decryptedData) { - var endTime = void 0; - try { - endTime = subtitle_stream_controller_performance.now(); - } catch (error) { - endTime = Date.now(); - } - hls.trigger(events["a" /* default */].FRAG_DECRYPTED, { frag: fragLoaded, payload: decryptedData, stats: { tstart: startTime, tdecrypt: endTime } }); - }); - } - } - }; - return SubtitleStreamController; - }(task_loop); + Object.defineProperty(exports, "__esModule", { + value: true + }); - /* harmony default export */ var subtitle_stream_controller = (subtitle_stream_controller_SubtitleStreamController); -// CONCATENATED MODULE: ./src/controller/eme-controller.js - var eme_controller__createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); + var _hls = __webpack_require__(/*! ./hls */ "./src/playbacks/hls/hls.js"); - function eme_controller__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } + var _hls2 = _interopRequireDefault(_hls); - function eme_controller__possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call && (typeof call === "object" || typeof call === "function") ? call : self; } + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - function eme_controller__inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; } + exports.default = _hls2.default; + module.exports = exports['default']; - /** - * @author Stephan Hesse <disparat@gmail.com> | <tchakabam@gmail.com> - * - * DRM support for Hls.js - */ + /***/ }), + /***/ "./src/playbacks/html5_audio/html5_audio.js": + /*!**************************************************!*\ + !*** ./src/playbacks/html5_audio/html5_audio.js ***! + \**************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { + "use strict"; + Object.defineProperty(exports, "__esModule", { + value: true + }); + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); - var eme_controller__window = window, - eme_controller_XMLHttpRequest = eme_controller__window.XMLHttpRequest; + var _createClass2 = __webpack_require__(/*! babel-runtime/helpers/createClass */ "./node_modules/babel-runtime/helpers/createClass.js"); + var _createClass3 = _interopRequireDefault(_createClass2); - var MAX_LICENSE_REQUEST_FAILURES = 3; + var _possibleConstructorReturn2 = __webpack_require__(/*! babel-runtime/helpers/possibleConstructorReturn */ "./node_modules/babel-runtime/helpers/possibleConstructorReturn.js"); - /** - * @see https://developer.mozilla.org/en-US/docs/Web/API/Navigator/requestMediaKeySystemAccess - */ - var KeySystems = { - WIDEVINE: 'com.widevine.alpha', - PLAYREADY: 'com.microsoft.playready' - }; + var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); - /** - * @see https://developer.mozilla.org/en-US/docs/Web/API/MediaKeySystemConfiguration - * @param {Array<string>} audioCodecs List of required audio codecs to support - * @param {Array<string>} videoCodecs List of required video codecs to support - * @param {object} drmSystemOptions Optional parameters/requirements for the key-system - * @returns {Array<MediaSystemConfiguration>} An array of supported configurations - */ + var _inherits2 = __webpack_require__(/*! babel-runtime/helpers/inherits */ "./node_modules/babel-runtime/helpers/inherits.js"); - var createWidevineMediaKeySystemConfigurations = function createWidevineMediaKeySystemConfigurations(audioCodecs, videoCodecs, drmSystemOptions) { - /* jshint ignore:line */ - var baseConfig = { - // initDataTypes: ['keyids', 'mp4'], - // label: "", - // persistentState: "not-allowed", // or "required" ? - // distinctiveIdentifier: "not-allowed", // or "required" ? - // sessionTypes: ['temporary'], - videoCapabilities: [ - // { contentType: 'video/mp4; codecs="avc1.42E01E"' } - ] - }; + var _inherits3 = _interopRequireDefault(_inherits2); - videoCodecs.forEach(function (codec) { - baseConfig.videoCapabilities.push({ - contentType: 'video/mp4; codecs="' + codec + '"' - }); - }); + var _events = __webpack_require__(/*! ../../base/events */ "./src/base/events.js"); - return [baseConfig]; - }; + var _events2 = _interopRequireDefault(_events); - /** - * The idea here is to handle key-system (and their respective platforms) specific configuration differences - * in order to work with the local requestMediaKeySystemAccess method. - * - * We can also rule-out platform-related key-system support at this point by throwing an error or returning null. - * - * @param {string} keySystem Identifier for the key-system, see `KeySystems` enum - * @param {Array<string>} audioCodecs List of required audio codecs to support - * @param {Array<string>} videoCodecs List of required video codecs to support - * @returns {Array<MediaSystemConfiguration> | null} A non-empty Array of MediaKeySystemConfiguration objects or `null` - */ - var getSupportedMediaKeySystemConfigurations = function getSupportedMediaKeySystemConfigurations(keySystem, audioCodecs, videoCodecs) { - switch (keySystem) { - case KeySystems.WIDEVINE: - return createWidevineMediaKeySystemConfigurations(audioCodecs, videoCodecs); - default: - throw Error('Unknown key-system: ' + keySystem); - } - }; + var _playback = __webpack_require__(/*! ../../base/playback */ "./src/base/playback.js"); - /** - * Controller to deal with encrypted media extensions (EME) - * @see https://developer.mozilla.org/en-US/docs/Web/API/Encrypted_Media_Extensions_API - * - * @class - * @constructor - */ + var _playback2 = _interopRequireDefault(_playback); - var eme_controller_EMEController = function (_EventHandler) { - eme_controller__inherits(EMEController, _EventHandler); + var _html5_video = __webpack_require__(/*! ../../playbacks/html5_video */ "./src/playbacks/html5_video/index.js"); - /** - * @constructs - * @param {Hls} hls Our Hls.js instance - */ - function EMEController(hls) { - eme_controller__classCallCheck(this, EMEController); + var _html5_video2 = _interopRequireDefault(_html5_video); - var _this = eme_controller__possibleConstructorReturn(this, _EventHandler.call(this, hls, events["a" /* default */].MEDIA_ATTACHED, events["a" /* default */].MANIFEST_PARSED)); + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - _this._widevineLicenseUrl = hls.config.widevineLicenseUrl; - _this._licenseXhrSetup = hls.config.licenseXhrSetup; - _this._emeEnabled = hls.config.emeEnabled; +// TODO: remove this playback and change HTML5Video to HTML5Playback (breaking change, only after 0.3.0) + var HTML5Audio = function (_HTML5Video) { + (0, _inherits3.default)(HTML5Audio, _HTML5Video); - _this._requestMediaKeySystemAccess = hls.config.requestMediaKeySystemAccessFunc; + function HTML5Audio() { + (0, _classCallCheck3.default)(this, HTML5Audio); + return (0, _possibleConstructorReturn3.default)(this, _HTML5Video.apply(this, arguments)); + } - _this._mediaKeysList = []; - _this._media = null; + HTML5Audio.prototype.updateSettings = function updateSettings() { + this.settings.left = ['playpause', 'position', 'duration']; + this.settings.seekEnabled = this.isSeekEnabled(); + this.trigger(_events2.default.PLAYBACK_SETTINGSUPDATE); + }; - _this._hasSetMediaKeys = false; - _this._isMediaEncrypted = false; + HTML5Audio.prototype.getPlaybackType = function getPlaybackType() { + return _playback2.default.AOD; + }; - _this._requestLicenseFailureCount = 0; - return _this; - } + (0, _createClass3.default)(HTML5Audio, [{ + key: 'name', + get: function get() { + return 'html5_audio'; + } + }, { + key: 'tagName', + get: function get() { + return 'audio'; + } + }, { + key: 'isAudioOnly', + get: function get() { + return true; + } + }]); + return HTML5Audio; + }(_html5_video2.default); // Copyright 2014 Globo.com Player authors. All rights reserved. +// Use of this source code is governed by a BSD-style +// license that can be found in the LICENSE file. - /** - * - * @param {string} keySystem Identifier for the key-system, see `KeySystems` enum - * @returns {string} License server URL for key-system (if any configured, otherwise causes error) - */ + exports.default = HTML5Audio; - EMEController.prototype.getLicenseServerUrl = function getLicenseServerUrl(keySystem) { - var url = void 0; - switch (keySystem) { - case KeySystems.WIDEVINE: - url = this._widevineLicenseUrl; - break; - default: - url = null; - break; - } + HTML5Audio.canPlay = function (resourceUrl, mimeType) { + var mimetypes = { + 'wav': ['audio/wav'], + 'mp3': ['audio/mp3', 'audio/mpeg;codecs="mp3"'], + 'aac': ['audio/mp4;codecs="mp4a.40.5"'], + 'oga': ['audio/ogg'] + }; + return _html5_video2.default._canPlay('audio', mimetypes, resourceUrl, mimeType); + }; + module.exports = exports['default']; - if (!url) { - logger["b" /* logger */].error('No license server URL configured for key-system "' + keySystem + '"'); - this.hls.trigger(events["a" /* default */].ERROR, { - type: errors["b" /* ErrorTypes */].KEY_SYSTEM_ERROR, - details: errors["a" /* ErrorDetails */].KEY_SYSTEM_LICENSE_REQUEST_FAILED, - fatal: true - }); - } + /***/ }), - return url; - }; + /***/ "./src/playbacks/html5_audio/index.js": + /*!********************************************!*\ + !*** ./src/playbacks/html5_audio/index.js ***! + \********************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - /** - * Requests access object and adds it to our list upon success - * @private - * @param {string} keySystem System ID (see `KeySystems`) - * @param {Array<string>} audioCodecs List of required audio codecs to support - * @param {Array<string>} videoCodecs List of required video codecs to support - */ + "use strict"; - EMEController.prototype._attemptKeySystemAccess = function _attemptKeySystemAccess(keySystem, audioCodecs, videoCodecs) { - var _this2 = this; + Object.defineProperty(exports, "__esModule", { + value: true + }); - // TODO: add other DRM "options" + var _html5_audio = __webpack_require__(/*! ./html5_audio */ "./src/playbacks/html5_audio/html5_audio.js"); - var mediaKeySystemConfigs = getSupportedMediaKeySystemConfigurations(keySystem, audioCodecs, videoCodecs); + var _html5_audio2 = _interopRequireDefault(_html5_audio); - if (!mediaKeySystemConfigs) { - logger["b" /* logger */].warn('Can not create config for key-system (maybe because platform is not supported):', keySystem); - return; - } + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - logger["b" /* logger */].log('Requesting encrypted media key-system access'); + exports.default = _html5_audio2.default; + module.exports = exports['default']; - // expecting interface like window.navigator.requestMediaKeySystemAccess - this.requestMediaKeySystemAccess(keySystem, mediaKeySystemConfigs).then(function (mediaKeySystemAccess) { - _this2._onMediaKeySystemAccessObtained(keySystem, mediaKeySystemAccess); - }).catch(function (err) { - logger["b" /* logger */].error('Failed to obtain key-system "' + keySystem + '" access:', err); - }); - }; + /***/ }), - /** - * Handles obtaining access to a key-system - * - * @param {string} keySystem - * @param {MediaKeySystemAccess} mediaKeySystemAccess https://developer.mozilla.org/en-US/docs/Web/API/MediaKeySystemAccess - */ - EMEController.prototype._onMediaKeySystemAccessObtained = function _onMediaKeySystemAccessObtained(keySystem, mediaKeySystemAccess) { - var _this3 = this; + /***/ "./src/playbacks/html5_video/html5_video.js": + /*!**************************************************!*\ + !*** ./src/playbacks/html5_video/html5_video.js ***! + \**************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - logger["b" /* logger */].log('Access for key-system "' + keySystem + '" obtained'); + "use strict"; + /* WEBPACK VAR INJECTION */(function(process) { - var mediaKeysListItem = { - mediaKeys: null, - mediaKeysSession: null, - mediaKeysSessionInitialized: false, - mediaKeySystemAccess: mediaKeySystemAccess, - mediaKeySystemDomain: keySystem - }; + Object.defineProperty(exports, "__esModule", { + value: true + }); - this._mediaKeysList.push(mediaKeysListItem); + var _from = __webpack_require__(/*! babel-runtime/core-js/array/from */ "./node_modules/babel-runtime/core-js/array/from.js"); - mediaKeySystemAccess.createMediaKeys().then(function (mediaKeys) { - mediaKeysListItem.mediaKeys = mediaKeys; + var _from2 = _interopRequireDefault(_from); - logger["b" /* logger */].log('Media-keys created for key-system "' + keySystem + '"'); + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); - _this3._onMediaKeysCreated(); - }).catch(function (err) { - logger["b" /* logger */].error('Failed to create media-keys:', err); - }); - }; + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); - /** - * Handles key-creation (represents access to CDM). We are going to create key-sessions upon this - * for all existing keys where no session exists yet. - */ + var _possibleConstructorReturn2 = __webpack_require__(/*! babel-runtime/helpers/possibleConstructorReturn */ "./node_modules/babel-runtime/helpers/possibleConstructorReturn.js"); + var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); - EMEController.prototype._onMediaKeysCreated = function _onMediaKeysCreated() { - var _this4 = this; + var _createClass2 = __webpack_require__(/*! babel-runtime/helpers/createClass */ "./node_modules/babel-runtime/helpers/createClass.js"); - // check for all key-list items if a session exists, otherwise, create one - this._mediaKeysList.forEach(function (mediaKeysListItem) { - if (!mediaKeysListItem.mediaKeysSession) { - mediaKeysListItem.mediaKeysSession = mediaKeysListItem.mediaKeys.createSession(); - _this4._onNewMediaKeySession(mediaKeysListItem.mediaKeysSession); - } - }); - }; + var _createClass3 = _interopRequireDefault(_createClass2); - /** - * - * @param {*} keySession - */ + var _inherits2 = __webpack_require__(/*! babel-runtime/helpers/inherits */ "./node_modules/babel-runtime/helpers/inherits.js"); + var _inherits3 = _interopRequireDefault(_inherits2); - EMEController.prototype._onNewMediaKeySession = function _onNewMediaKeySession(keySession) { - var _this5 = this; + var _toConsumableArray2 = __webpack_require__(/*! babel-runtime/helpers/toConsumableArray */ "./node_modules/babel-runtime/helpers/toConsumableArray.js"); - logger["b" /* logger */].log('New key-system session ' + keySession.sessionId); + var _toConsumableArray3 = _interopRequireDefault(_toConsumableArray2); - keySession.addEventListener('message', function (event) { - _this5._onKeySessionMessage(keySession, event.message); - }, false); - }; + var _keys = __webpack_require__(/*! babel-runtime/core-js/object/keys */ "./node_modules/babel-runtime/core-js/object/keys.js"); - EMEController.prototype._onKeySessionMessage = function _onKeySessionMessage(keySession, message) { - logger["b" /* logger */].log('Got EME message event, creating license request'); + var _keys2 = _interopRequireDefault(_keys); - this._requestLicense(message, function (data) { - logger["b" /* logger */].log('Received license data, updating key-session'); - keySession.update(data); - }); - }; + var _utils = __webpack_require__(/*! ../../base/utils */ "./src/base/utils.js"); - EMEController.prototype._onMediaEncrypted = function _onMediaEncrypted(initDataType, initData) { - logger["b" /* logger */].log('Media is encrypted using "' + initDataType + '" init data type'); + var _playback = __webpack_require__(/*! ../../base/playback */ "./src/base/playback.js"); - this._isMediaEncrypted = true; - this._mediaEncryptionInitDataType = initDataType; - this._mediaEncryptionInitData = initData; + var _playback2 = _interopRequireDefault(_playback); - this._attemptSetMediaKeys(); - this._generateRequestWithPreferredKeySession(); - }; + var _browser = __webpack_require__(/*! ../../components/browser */ "./src/components/browser/index.js"); - EMEController.prototype._attemptSetMediaKeys = function _attemptSetMediaKeys() { - if (!this._hasSetMediaKeys) { - // FIXME: see if we can/want/need-to really to deal with several potential key-sessions? - var keysListItem = this._mediaKeysList[0]; - if (!keysListItem || !keysListItem.mediaKeys) { - logger["b" /* logger */].error('Fatal: Media is encrypted but no CDM access or no keys have been obtained yet'); - this.hls.trigger(events["a" /* default */].ERROR, { - type: errors["b" /* ErrorTypes */].KEY_SYSTEM_ERROR, - details: errors["a" /* ErrorDetails */].KEY_SYSTEM_NO_KEYS, - fatal: true - }); - return; - } + var _browser2 = _interopRequireDefault(_browser); - logger["b" /* logger */].log('Setting keys for encrypted media'); + var _error = __webpack_require__(/*! ../../components/error */ "./src/components/error/index.js"); - this._media.setMediaKeys(keysListItem.mediaKeys); - this._hasSetMediaKeys = true; - } - }; + var _error2 = _interopRequireDefault(_error); - EMEController.prototype._generateRequestWithPreferredKeySession = function _generateRequestWithPreferredKeySession() { - var _this6 = this; - - // FIXME: see if we can/want/need-to really to deal with several potential key-sessions? - var keysListItem = this._mediaKeysList[0]; - if (!keysListItem) { - logger["b" /* logger */].error('Fatal: Media is encrypted but not any key-system access has been obtained yet'); - this.hls.trigger(events["a" /* default */].ERROR, { - type: errors["b" /* ErrorTypes */].KEY_SYSTEM_ERROR, - details: errors["a" /* ErrorDetails */].KEY_SYSTEM_NO_ACCESS, - fatal: true - }); - return; - } + var _events = __webpack_require__(/*! ../../base/events */ "./src/base/events.js"); - if (keysListItem.mediaKeysSessionInitialized) { - logger["b" /* logger */].warn('Key-Session already initialized but requested again'); - return; - } + var _events2 = _interopRequireDefault(_events); - var keySession = keysListItem.mediaKeysSession; - if (!keySession) { - logger["b" /* logger */].error('Fatal: Media is encrypted but no key-session existing'); - this.hls.trigger(events["a" /* default */].ERROR, { - type: errors["b" /* ErrorTypes */].KEY_SYSTEM_ERROR, - details: errors["a" /* ErrorDetails */].KEY_SYSTEM_NO_SESSION, - fatal: true - }); - } + var _log = __webpack_require__(/*! ../../plugins/log */ "./src/plugins/log/index.js"); - var initDataType = this._mediaEncryptionInitDataType; - var initData = this._mediaEncryptionInitData; + var _log2 = _interopRequireDefault(_log); - logger["b" /* logger */].log('Generating key-session request for "' + initDataType + '" init data type'); + var _clapprZepto = __webpack_require__(/*! clappr-zepto */ "./node_modules/clappr-zepto/zepto.js"); - keysListItem.mediaKeysSessionInitialized = true; + var _clapprZepto2 = _interopRequireDefault(_clapprZepto); - keySession.generateRequest(initDataType, initData).then(function () { - logger["b" /* logger */].debug('Key-session generation succeeded'); - }).catch(function (err) { - logger["b" /* logger */].error('Error generating key-session request:', err); - _this6.hls.trigger(events["a" /* default */].ERROR, { - type: errors["b" /* ErrorTypes */].KEY_SYSTEM_ERROR, - details: errors["a" /* ErrorDetails */].KEY_SYSTEM_NO_SESSION, - fatal: false - }); - }); - }; + var _template = __webpack_require__(/*! ../../base/template */ "./src/base/template.js"); - /** - * @param {string} url License server URL - * @param {ArrayBuffer} keyMessage Message data issued by key-system - * @param {function} callback Called when XHR has succeeded - * @returns {XMLHttpRequest} Unsent (but opened state) XHR object - */ + var _template2 = _interopRequireDefault(_template); + var _tracks = __webpack_require__(/*! ./public/tracks.html */ "./src/playbacks/html5_video/public/tracks.html"); - EMEController.prototype._createLicenseXhr = function _createLicenseXhr(url, keyMessage, callback) { - var xhr = new eme_controller_XMLHttpRequest(); - var licenseXhrSetup = this._licenseXhrSetup; + var _tracks2 = _interopRequireDefault(_tracks); - try { - if (licenseXhrSetup) { - try { - licenseXhrSetup(xhr, url); - } catch (e) { - // let's try to open before running setup - xhr.open('POST', url, true); - licenseXhrSetup(xhr, url); - } - } - // if licenseXhrSetup did not yet call open, let's do it now - if (!xhr.readyState) { - xhr.open('POST', url, true); - } - } catch (e) { - // IE11 throws an exception on xhr.open if attempting to access an HTTP resource over HTTPS - logger["b" /* logger */].error('Error setting up key-system license XHR', e); - this.hls.trigger(events["a" /* default */].ERROR, { - type: errors["b" /* ErrorTypes */].KEY_SYSTEM_ERROR, - details: errors["a" /* ErrorDetails */].KEY_SYSTEM_LICENSE_REQUEST_FAILED, - fatal: true - }); - return; - } + __webpack_require__(/*! ./public/style.scss */ "./src/playbacks/html5_video/public/style.scss"); - xhr.responseType = 'arraybuffer'; - xhr.onreadystatechange = this._onLicenseRequestReadyStageChange.bind(this, xhr, url, keyMessage, callback); - return xhr; - }; + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - /** - * @param {XMLHttpRequest} xhr - * @param {string} url License server URL - * @param {ArrayBuffer} keyMessage Message data issued by key-system - * @param {function} callback Called when XHR has succeeded - * - */ +// Copyright 2014 Globo.com Player authors. All rights reserved. +// Use of this source code is governed by a BSD-style +// license that can be found in the LICENSE file. + var MIMETYPES = { + 'mp4': ['avc1.42E01E', 'avc1.58A01E', 'avc1.4D401E', 'avc1.64001E', 'mp4v.20.8', 'mp4v.20.240', 'mp4a.40.2'].map(function (codec) { + return 'video/mp4; codecs="' + codec + ', mp4a.40.2"'; + }), + 'ogg': ['video/ogg; codecs="theora, vorbis"', 'video/ogg; codecs="dirac"', 'video/ogg; codecs="theora, speex"'], + '3gpp': ['video/3gpp; codecs="mp4v.20.8, samr"'], + 'webm': ['video/webm; codecs="vp8, vorbis"'], + 'mkv': ['video/x-matroska; codecs="theora, vorbis"'], + 'm3u8': ['application/x-mpegurl'] + }; + MIMETYPES['ogv'] = MIMETYPES['ogg']; + MIMETYPES['3gp'] = MIMETYPES['3gpp']; + + var AUDIO_MIMETYPES = { + 'wav': ['audio/wav'], + 'mp3': ['audio/mp3', 'audio/mpeg;codecs="mp3"'], + 'aac': ['audio/mp4;codecs="mp4a.40.5"'], + 'oga': ['audio/ogg'] + }; - EMEController.prototype._onLicenseRequestReadyStageChange = function _onLicenseRequestReadyStageChange(xhr, url, keyMessage, callback) { - switch (xhr.readyState) { - case 4: - if (xhr.status === 200) { - this._requestLicenseFailureCount = 0; - logger["b" /* logger */].log('License request succeeded'); - callback(xhr.response); - } else { - logger["b" /* logger */].error('License Request XHR failed (' + url + '). Status: ' + xhr.status + ' (' + xhr.statusText + ')'); + var KNOWN_AUDIO_MIMETYPES = (0, _keys2.default)(AUDIO_MIMETYPES).reduce(function (acc, k) { + return [].concat((0, _toConsumableArray3.default)(acc), (0, _toConsumableArray3.default)(AUDIO_MIMETYPES[k])); + }, []); - this._requestLicenseFailureCount++; - if (this._requestLicenseFailureCount <= MAX_LICENSE_REQUEST_FAILURES) { - var attemptsLeft = MAX_LICENSE_REQUEST_FAILURES - this._requestLicenseFailureCount + 1; - logger["b" /* logger */].warn('Retrying license request, ' + attemptsLeft + ' attempts left'); - this._requestLicense(keyMessage, callback); - return; - } + var UNKNOWN_ERROR = { code: 'unknown', message: 'unknown' - this.hls.trigger(events["a" /* default */].ERROR, { - type: errors["b" /* ErrorTypes */].KEY_SYSTEM_ERROR, - details: errors["a" /* ErrorDetails */].KEY_SYSTEM_LICENSE_REQUEST_FAILED, - fatal: true - }); - } - break; - } - }; + // TODO: rename this Playback to HTML5Playback (breaking change, only after 0.3.0) + }; + var HTML5Video = function (_Playback) { + (0, _inherits3.default)(HTML5Video, _Playback); + (0, _createClass3.default)(HTML5Video, [{ + key: 'name', + get: function get() { + return 'html5_video'; + } + }, { + key: 'tagName', + get: function get() { + return this.isAudioOnly ? 'audio' : 'video'; + } + }, { + key: 'isAudioOnly', + get: function get() { + var resourceUrl = this.options.src; + var mimeTypes = HTML5Video._mimeTypesForUrl(resourceUrl, AUDIO_MIMETYPES, this.options.mimeType); + return this.options.playback && this.options.playback.audioOnly || this.options.audioOnly || KNOWN_AUDIO_MIMETYPES.indexOf(mimeTypes[0]) >= 0; + } + }, { + key: 'attributes', + get: function get() { + return { + 'data-html5-video': '' + }; + } + }, { + key: 'events', + get: function get() { + return { + 'canplay': '_onCanPlay', + 'canplaythrough': '_handleBufferingEvents', + 'durationchange': '_onDurationChange', + 'ended': '_onEnded', + 'error': '_onError', + 'loadeddata': '_onLoadedData', + 'loadedmetadata': '_onLoadedMetadata', + 'pause': '_onPause', + 'playing': '_onPlaying', + 'progress': '_onProgress', + 'seeking': '_onSeeking', + 'seeked': '_onSeeked', + 'stalled': '_handleBufferingEvents', + 'timeupdate': '_onTimeUpdate', + 'waiting': '_onWaiting' + }; + } /** - * @param {object} keysListItem - * @param {ArrayBuffer} keyMessage - * @returns {ArrayBuffer} Challenge data posted to license server + * Determine if the playback has ended. + * @property ended + * @type Boolean */ + }, { + key: 'ended', + get: function get() { + return this.el.ended; + } - EMEController.prototype._generateLicenseRequestChallenge = function _generateLicenseRequestChallenge(keysListItem, keyMessage) { - var challenge = void 0; + /** + * Determine if the playback is having to buffer in order for + * playback to be smooth. + * This is related to the PLAYBACK_BUFFERING and PLAYBACK_BUFFERFULL events + * @property buffering + * @type Boolean + */ - if (keysListItem.mediaKeySystemDomain === KeySystems.PLAYREADY) { - logger["b" /* logger */].error('PlayReady is not supported (yet)'); + }, { + key: 'buffering', + get: function get() { + return this._isBuffering; + } + }]); - // from https://github.com/MicrosoftEdge/Demos/blob/master/eme/scripts/demo.js - /* - if (this.licenseType !== this.LICENSE_TYPE_WIDEVINE) { - // For PlayReady CDMs, we need to dig the Challenge out of the XML. - var keyMessageXml = new DOMParser().parseFromString(String.fromCharCode.apply(null, new Uint16Array(keyMessage)), 'application/xml'); - if (keyMessageXml.getElementsByTagName('Challenge')[0]) { - challenge = atob(keyMessageXml.getElementsByTagName('Challenge')[0].childNodes[0].nodeValue); - } else { - throw 'Cannot find <Challenge> in key message'; - } - var headerNames = keyMessageXml.getElementsByTagName('name'); - var headerValues = keyMessageXml.getElementsByTagName('value'); - if (headerNames.length !== headerValues.length) { - throw 'Mismatched header <name>/<value> pair in key message'; - } - for (var i = 0; i < headerNames.length; i++) { - xhr.setRequestHeader(headerNames[i].childNodes[0].nodeValue, headerValues[i].childNodes[0].nodeValue); - } - } - */ - } else if (keysListItem.mediaKeySystemDomain === KeySystems.WIDEVINE) { - // For Widevine CDMs, the challenge is the keyMessage. - challenge = keyMessage; - } else { - logger["b" /* logger */].error('Unsupported key-system:', keysListItem.mediaKeySystemDomain); - } + function HTML5Video() { + (0, _classCallCheck3.default)(this, HTML5Video); - return challenge; - }; + for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) { + args[_key] = arguments[_key]; + } - EMEController.prototype._requestLicense = function _requestLicense(keyMessage, callback) { - logger["b" /* logger */].log('Requesting content license for key-system'); + var _this = (0, _possibleConstructorReturn3.default)(this, _Playback.call.apply(_Playback, [this].concat(args))); + + _this._destroyed = false; + _this._loadStarted = false; + _this._isBuffering = false; + _this._playheadMoving = false; + _this._playheadMovingTimer = null; + _this._stopped = false; + _this._ccTrackId = -1; + _this._setupSrc(_this.options.src); + // backwards compatibility (TODO: remove on 0.3.0) + _this.options.playback || (_this.options.playback = _this.options || {}); + _this.options.playback.disableContextMenu = _this.options.playback.disableContextMenu || _this.options.disableVideoTagContextMenu; + + var playbackConfig = _this.options.playback; + var preload = playbackConfig.preload || (_browser2.default.isSafari ? 'auto' : _this.options.preload); + + var posterUrl = void 0; // FIXME: poster plugin should always convert poster to object with expected properties ? + if (_this.options.poster) { + if (typeof _this.options.poster === 'string') posterUrl = _this.options.poster;else if (typeof _this.options.poster.url === 'string') posterUrl = _this.options.poster.url; + } - var keysListItem = this._mediaKeysList[0]; - if (!keysListItem) { - logger["b" /* logger */].error('Fatal error: Media is encrypted but no key-system access has been obtained yet'); - this.hls.trigger(events["a" /* default */].ERROR, { - type: errors["b" /* ErrorTypes */].KEY_SYSTEM_ERROR, - details: errors["a" /* ErrorDetails */].KEY_SYSTEM_NO_ACCESS, - fatal: true - }); - return; - } + _clapprZepto2.default.extend(_this.el, { + muted: _this.options.mute, + defaultMuted: _this.options.mute, + loop: _this.options.loop, + poster: posterUrl, + preload: preload || 'metadata', + controls: (playbackConfig.controls || _this.options.useVideoTagDefaultControls) && 'controls', + crossOrigin: playbackConfig.crossOrigin, + 'x-webkit-playsinline': playbackConfig.playInline + }); - var url = this.getLicenseServerUrl(keysListItem.mediaKeySystemDomain); - var xhr = this._createLicenseXhr(url, keyMessage, callback); + playbackConfig.playInline && _this.$el.attr({ playsinline: 'playsinline' }); + playbackConfig.crossOrigin && _this.$el.attr({ crossorigin: playbackConfig.crossOrigin }); - logger["b" /* logger */].log('Sending license request to URL: ' + url); + // TODO should settings be private? + _this.settings = { default: ['seekbar'] }; + _this.settings.left = ['playpause', 'position', 'duration']; + _this.settings.right = ['fullscreen', 'volume', 'hd-indicator']; - xhr.send(this._generateLicenseRequestChallenge(keysListItem, keyMessage)); - }; + playbackConfig.externalTracks && _this._setupExternalTracks(playbackConfig.externalTracks); - EMEController.prototype.onMediaAttached = function onMediaAttached(data) { - var _this7 = this; + _this.options.autoPlay && _this.attemptAutoPlay(); + return _this; + } - if (!this._emeEnabled) { - return; - } + HTML5Video.prototype.configure = function configure(options) { + _Playback.prototype.configure.call(this, options); + this.el.loop = !!options.loop; + }; + + // See Playback.attemptAutoPlay() - var media = data.media; - // keep reference of media - this._media = media; + HTML5Video.prototype.attemptAutoPlay = function attemptAutoPlay() { + var _this2 = this; - // FIXME: also handle detaching media ! + this.canAutoPlay(function (result, error) { + error && _log2.default.warn(_this2.name, 'autoplay error.', { result: result, error: error }); - media.addEventListener('encrypted', function (e) { - _this7._onMediaEncrypted(e.initDataType, e.initData); + // https://github.com/clappr/clappr/issues/1076 + result && process.nextTick(function () { + return !_this2._destroyed && _this2.play(); }); - }; + }); + }; - EMEController.prototype.onManifestParsed = function onManifestParsed(data) { - if (!this._emeEnabled) { - return; - } + // See Playback.canAutoPlay() - var audioCodecs = data.levels.map(function (level) { - return level.audioCodec; - }); - var videoCodecs = data.levels.map(function (level) { - return level.videoCodec; - }); - this._attemptKeySystemAccess(KeySystems.WIDEVINE, audioCodecs, videoCodecs); - }; + HTML5Video.prototype.canAutoPlay = function canAutoPlay(cb) { + if (this.options.disableCanAutoPlay) cb(true, null); - eme_controller__createClass(EMEController, [{ - key: 'requestMediaKeySystemAccess', - get: function get() { - if (!this._requestMediaKeySystemAccess) { - throw new Error('No requestMediaKeySystemAccess function configured'); - } + var opts = { + timeout: this.options.autoPlayTimeout || 500, + inline: this.options.playback.playInline || false, + muted: this.options.mute || false // Known issue: mediacontrols may asynchronously mute video - return this._requestMediaKeySystemAccess; - } - }]); - return EMEController; - }(event_handler); + // Use current video element if recycling feature enabled with mobile devices + };if (_browser2.default.isMobile && _utils.DomRecycler.options.recycleVideo) opts.element = this.el; - /* harmony default export */ var eme_controller = (eme_controller_EMEController); -// CONCATENATED MODULE: ./src/utils/mediakeys-helper.js - var requestMediaKeySystemAccess = function () { - if (typeof window !== 'undefined' && window.navigator && window.navigator.requestMediaKeySystemAccess) { - return window.navigator.requestMediaKeySystemAccess.bind(window.navigator); - } else { - return null; - } - }(); + // Desktop browser autoplay policy may require user action + // Mobile browser autoplay require user consent and video recycling feature enabled + // It may returns a false positive with source-less player consent + (0, _utils.canAutoPlayMedia)(cb, opts); + }; + HTML5Video.prototype._setupExternalTracks = function _setupExternalTracks(tracks) { + this._externalTracks = tracks.map(function (track) { + return { + kind: track.kind || 'subtitles', // Default is 'subtitles' + label: track.label, + lang: track.lang, + src: track.src + }; + }); + }; -// CONCATENATED MODULE: ./src/config.js /** - * HLS config + * Sets the source url on the <video> element, and also the 'src' property. + * @method setupSrc + * @private + * @param {String} srcUrl The source URL. */ + HTML5Video.prototype._setupSrc = function _setupSrc(srcUrl) { + if (this.el.src === srcUrl) return; - - - -// import FetchLoader from './utils/fetch-loader'; - - - - - - - - - - - - - var hlsDefaultConfig = { - 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 - maxBufferSize: 60 * 1000 * 1000, // used by stream-controller - maxBufferHole: 0.5, // used by stream-controller - - lowBufferWatchdogPeriod: 0.5, // used by stream-controller - highBufferWatchdogPeriod: 3, // 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 stream-controller - liveMaxLatencyDurationCount: Infinity, // used by stream-controller - liveSyncDuration: undefined, // used by stream-controller - liveMaxLatencyDuration: undefined, // used by stream-controller - liveDurationInfinity: false, // 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: xhr_loader, - // 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 - // fetchSetup: undefined, - abrController: abr_controller, - bufferController: buffer_controller, - capLevelController: cap_level_controller, - fpsController: fps_controller, - 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 - requestMediaKeySystemAccessFunc: requestMediaKeySystemAccess // used by eme-controller + this._ccIsSetup = false; + this.el.src = srcUrl; + this._src = this.el.src; }; - if (true) { - hlsDefaultConfig.subtitleStreamController = subtitle_stream_controller; - hlsDefaultConfig.subtitleTrackController = subtitle_track_controller; - hlsDefaultConfig.timelineController = timeline_controller; - hlsDefaultConfig.cueHandler = cues_namespaceObject; // used by timeline-controller - hlsDefaultConfig.enableCEA708Captions = true; // used by timeline-controller - hlsDefaultConfig.enableWebVTT = true; // used by timeline-controller - hlsDefaultConfig.captionsTextTrack1Label = 'English'; // used by timeline-controller - hlsDefaultConfig.captionsTextTrack1LanguageCode = 'en'; // used by timeline-controller - hlsDefaultConfig.captionsTextTrack2Label = 'Spanish'; // used by timeline-controller - hlsDefaultConfig.captionsTextTrack2LanguageCode = 'es'; // used by timeline-controller - } - - if (true) { - hlsDefaultConfig.audioStreamController = audio_stream_controller; - hlsDefaultConfig.audioTrackController = audio_track_controller; - } - - if (true) { - hlsDefaultConfig.emeController = eme_controller; - } -// CONCATENATED MODULE: ./src/hls.js - var hls__createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); - - function hls__classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } - - - - - + HTML5Video.prototype._onLoadedMetadata = function _onLoadedMetadata(e) { + this._handleBufferingEvents(); + this.trigger(_events2.default.PLAYBACK_LOADEDMETADATA, { duration: e.target.duration, data: e }); + this._updateSettings(); + var autoSeekFromUrl = typeof this._options.autoSeekFromUrl === 'undefined' || this._options.autoSeekFromUrl; + if (this.getPlaybackType() !== _playback2.default.LIVE && autoSeekFromUrl) this._checkInitialSeek(); + }; + HTML5Video.prototype._onDurationChange = function _onDurationChange() { + this._updateSettings(); + this._onTimeUpdate(); + // onProgress uses the duration + this._onProgress(); + }; + HTML5Video.prototype._updateSettings = function _updateSettings() { + // we can't figure out if hls resource is VoD or not until it is being loaded or duration has changed. + // that's why we check it again and update media control accordingly. + if (this.getPlaybackType() === _playback2.default.VOD || this.getPlaybackType() === _playback2.default.AOD) this.settings.left = ['playpause', 'position', 'duration'];else this.settings.left = ['playstop']; + this.settings.seekEnabled = this.isSeekEnabled(); + this.trigger(_events2.default.PLAYBACK_SETTINGSUPDATE); + }; + HTML5Video.prototype.isSeekEnabled = function isSeekEnabled() { + return isFinite(this.getDuration()); + }; + HTML5Video.prototype.getPlaybackType = function getPlaybackType() { + var onDemandType = this.tagName === 'audio' ? _playback2.default.AOD : _playback2.default.VOD; + return [0, undefined, Infinity].indexOf(this.el.duration) >= 0 ? _playback2.default.LIVE : onDemandType; + }; + HTML5Video.prototype.isHighDefinitionInUse = function isHighDefinitionInUse() { + return false; + }; + // On mobile device, HTML5 video element "retains" user action consent if + // load() method is called. See Player.consent(). + HTML5Video.prototype.consent = function consent() { + if (!this.isPlaying()) { + _Playback.prototype.consent.call(this); + this.el.load(); + } + }; + HTML5Video.prototype.play = function play() { + this.trigger(_events2.default.PLAYBACK_PLAY_INTENT); + this._stopped = false; + this._setupSrc(this._src); + this._handleBufferingEvents(); + var promise = this.el.play(); + // For more details, see https://developers.google.com/web/updates/2016/03/play-returns-promise + if (promise && promise.catch) promise.catch(function () {}); + }; + HTML5Video.prototype.pause = function pause() { + this.el.pause(); + }; + HTML5Video.prototype.stop = function stop() { + this.pause(); + this._stopped = true; + // src will be added again in play() + this.el.removeAttribute('src'); + this.el.load(); // load with no src to stop loading of the previous source and avoid leaks + this._stopPlayheadMovingChecks(); + this._handleBufferingEvents(); + this.trigger(_events2.default.PLAYBACK_STOP); + }; + HTML5Video.prototype.volume = function volume(value) { + if (value === 0) { + this.$el.attr({ muted: 'true' }); + this.el.muted = true; + } else { + this.$el.attr({ muted: null }); + this.el.muted = false; + this.el.volume = value / 100; + } + }; + /** + * @deprecated + * @private + */ -// polyfill for IE11 - __webpack_require__(14); + HTML5Video.prototype.mute = function mute() { + this.el.muted = true; + }; /** - * @module Hls - * @class - * @constructor + * @deprecated + * @private */ - var hls_Hls = function () { - /** - * @type {boolean} - */ - Hls.isSupported = function isSupported() { - return is_supported_isSupported(); - }; + HTML5Video.prototype.unmute = function unmute() { + this.el.muted = false; + }; - /** - * @type {HlsEvents} - */ + HTML5Video.prototype.isMuted = function isMuted() { + return this.el.muted === true || this.el.volume === 0; + }; + HTML5Video.prototype.isPlaying = function isPlaying() { + return !this.el.paused && !this.el.ended; + }; - hls__createClass(Hls, null, [{ - key: 'version', + HTML5Video.prototype._startPlayheadMovingChecks = function _startPlayheadMovingChecks() { + if (this._playheadMovingTimer !== null) return; - /** - * @type {string} - */ - get: function get() { - return "0.11.0"; - } - }, { - key: 'Events', - get: function get() { - return events["a" /* default */]; - } + this._playheadMovingTimeOnCheck = null; + this._determineIfPlayheadMoving(); + this._playheadMovingTimer = setInterval(this._determineIfPlayheadMoving.bind(this), 500); + }; - /** - * @type {HlsErrorTypes} - */ + HTML5Video.prototype._stopPlayheadMovingChecks = function _stopPlayheadMovingChecks() { + if (this._playheadMovingTimer === null) return; - }, { - key: 'ErrorTypes', - get: function get() { - return errors["b" /* ErrorTypes */]; - } + clearInterval(this._playheadMovingTimer); + this._playheadMovingTimer = null; + this._playheadMoving = false; + }; - /** - * @type {HlsErrorDetails} - */ + HTML5Video.prototype._determineIfPlayheadMoving = function _determineIfPlayheadMoving() { + var before = this._playheadMovingTimeOnCheck; + var now = this.el.currentTime; + this._playheadMoving = before !== now; + this._playheadMovingTimeOnCheck = now; + this._handleBufferingEvents(); + }; - }, { - key: 'ErrorDetails', - get: function get() { - return errors["a" /* ErrorDetails */]; - } + // this seems to happen when the user is having to wait + // for something to happen AFTER A USER INTERACTION + // e.g the player might be buffering, but when `play()` is called + // only at this point will this be called. + // Or the user may seek somewhere but the new area requires buffering, + // so it will fire then as well. + // On devices where playing is blocked until requested with a user action, + // buffering may start, but never finish until the user initiates a play, + // but this only happens when play is actually requested - /** - * @type {HlsConfig} - */ - }, { - key: 'DefaultConfig', - get: function get() { - if (!Hls.defaultConfig) { - return hlsDefaultConfig; - } + HTML5Video.prototype._onWaiting = function _onWaiting() { + this._loadStarted = true; + this._handleBufferingEvents(); + }; - return Hls.defaultConfig; - } + // called after the first frame has loaded + // note this doesn't fire on ios before the user has requested play + // ideally the "loadstart" event would be used instead, but this fires + // before a user has requested play on iOS, and also this is always fired + // even if the preload setting is "none". In both these cases this causes + // infinite buffering until the user does something which isn't great. - /** - * @type {HlsConfig} - */ - , - set: function set(defaultConfig) { - Hls.defaultConfig = defaultConfig; - } - /** - * Creates an instance of an HLS client that can attach to exactly one `HTMLMediaElement`. - * - * @constructs Hls - * @param {HlsConfig} config - */ + HTML5Video.prototype._onLoadedData = function _onLoadedData() { + this._loadStarted = true; + this._handleBufferingEvents(); + }; - }]); + // note this doesn't fire on ios before user has requested play - function Hls() { - var _this = this; - var config = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {}; + HTML5Video.prototype._onCanPlay = function _onCanPlay() { + this._handleBufferingEvents(); + }; - hls__classCallCheck(this, Hls); + HTML5Video.prototype._onPlaying = function _onPlaying() { + this._checkForClosedCaptions(); + this._startPlayheadMovingChecks(); + this._handleBufferingEvents(); + this.trigger(_events2.default.PLAYBACK_PLAY); + }; - var defaultConfig = Hls.DefaultConfig; + HTML5Video.prototype._onPause = function _onPause() { + this._stopPlayheadMovingChecks(); + this._handleBufferingEvents(); + this.trigger(_events2.default.PLAYBACK_PAUSE); + }; - if ((config.liveSyncDurationCount || config.liveMaxLatencyDurationCount) && (config.liveSyncDuration || config.liveMaxLatencyDuration)) { - throw new Error('Illegal hls.js config: don\'t mix up liveSyncDurationCount/liveMaxLatencyDurationCount and liveSyncDuration/liveMaxLatencyDuration'); - } + HTML5Video.prototype._onSeeking = function _onSeeking() { + this._handleBufferingEvents(); + this.trigger(_events2.default.PLAYBACK_SEEK); + }; - for (var prop in defaultConfig) { - if (prop in config) continue; - config[prop] = defaultConfig[prop]; - } + HTML5Video.prototype._onSeeked = function _onSeeked() { + this._handleBufferingEvents(); + this.trigger(_events2.default.PLAYBACK_SEEKED); + }; - if (config.liveMaxLatencyDurationCount !== undefined && config.liveMaxLatencyDurationCount <= config.liveSyncDurationCount) { - throw new Error('Illegal hls.js config: "liveMaxLatencyDurationCount" must be gt "liveSyncDurationCount"'); - } + HTML5Video.prototype._onEnded = function _onEnded() { + this._handleBufferingEvents(); + this.trigger(_events2.default.PLAYBACK_ENDED, this.name); + }; - if (config.liveMaxLatencyDuration !== undefined && (config.liveMaxLatencyDuration <= config.liveSyncDuration || config.liveSyncDuration === undefined)) { - throw new Error('Illegal hls.js config: "liveMaxLatencyDuration" must be gt "liveSyncDuration"'); - } + // The playback should be classed as buffering if the following are true: + // - the ready state is less then HAVE_FUTURE_DATA or the playhead isn't moving and it should be + // - the media hasn't "ended", + // - the media hasn't been stopped + // - loading has started - Object(logger["a" /* enableLogs */])(config.debug); - this.config = config; - this._autoLevelCapping = -1; - // observer setup - var observer = this.observer = new events_default.a(); - observer.trigger = function trigger(event) { - for (var _len = arguments.length, data = Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) { - data[_key - 1] = arguments[_key]; - } - observer.emit.apply(observer, [event, event].concat(data)); - }; + HTML5Video.prototype._handleBufferingEvents = function _handleBufferingEvents() { + var playheadShouldBeMoving = !this.el.ended && !this.el.paused; + var buffering = this._loadStarted && !this.el.ended && !this._stopped && (playheadShouldBeMoving && !this._playheadMoving || this.el.readyState < this.el.HAVE_FUTURE_DATA); + if (this._isBuffering !== buffering) { + this._isBuffering = buffering; + if (buffering) this.trigger(_events2.default.PLAYBACK_BUFFERING, this.name);else this.trigger(_events2.default.PLAYBACK_BUFFERFULL, this.name); + } + }; - observer.off = function off(event) { - for (var _len2 = arguments.length, data = Array(_len2 > 1 ? _len2 - 1 : 0), _key2 = 1; _key2 < _len2; _key2++) { - data[_key2 - 1] = arguments[_key2]; - } + HTML5Video.prototype._onError = function _onError() { + var _ref = this.el.error || UNKNOWN_ERROR, + code = _ref.code, + message = _ref.message; - observer.removeListener.apply(observer, [event].concat(data)); - }; - this.on = observer.on.bind(observer); - this.off = observer.off.bind(observer); - this.once = observer.once.bind(observer); - this.trigger = observer.trigger.bind(observer); + var isUnknownError = code === UNKNOWN_ERROR.code; - // core controllers and network loaders + var formattedError = this.createError({ + code: code, + description: message, + raw: this.el.error, + level: isUnknownError ? _error2.default.Levels.WARN : _error2.default.Levels.FATAL + }); - /** - * @member {AbrController} abrController - */ - var abrController = this.abrController = new config.abrController(this); + if (isUnknownError) _log2.default.warn(this.name, 'HTML5 unknown error: ', formattedError);else this.trigger(_events2.default.PLAYBACK_ERROR, formattedError); + }; - var bufferController = new config.bufferController(this); - var capLevelController = new config.capLevelController(this); - var fpsController = new config.fpsController(this); - var playListLoader = new playlist_loader(this); - var fragmentLoader = new fragment_loader(this); - var keyLoader = new key_loader(this); - var id3TrackController = new id3_track_controller(this); + HTML5Video.prototype.destroy = function destroy() { + this._destroyed = true; + this.handleTextTrackChange && this.el.textTracks.removeEventListener('change', this.handleTextTrackChange); + _Playback.prototype.destroy.call(this); + this.el.removeAttribute('src'); + this.el.load(); // load with no src to stop loading of the previous source and avoid leaks + this._src = null; + _utils.DomRecycler.garbage(this.$el); + }; - // network controllers + HTML5Video.prototype.seek = function seek(time) { + this.el.currentTime = time; + }; - /** - * @member {LevelController} levelController - */ - var levelController = this.levelController = new level_controller(this); + HTML5Video.prototype.seekPercentage = function seekPercentage(percentage) { + var time = this.el.duration * (percentage / 100); + this.seek(time); + }; - // FIXME: FragmentTracker must be defined before StreamController because the order of event handling is important - var fragmentTracker = new fragment_tracker_FragmentTracker(this); + HTML5Video.prototype._checkInitialSeek = function _checkInitialSeek() { + var seekTime = (0, _utils.seekStringToSeconds)(); + if (seekTime !== 0) this.seek(seekTime); + }; - /** - * @member {StreamController} streamController - */ - var streamController = this.streamController = new stream_controller(this, fragmentTracker); + HTML5Video.prototype.getCurrentTime = function getCurrentTime() { + return this.el.currentTime; + }; - var networkControllers = [levelController, streamController]; + HTML5Video.prototype.getDuration = function getDuration() { + return this.el.duration; + }; - // optional audio stream controller - /** - * @var {ICoreComponent | Controller} - */ - var Controller = config.audioStreamController; - if (Controller) { - networkControllers.push(new Controller(this, fragmentTracker)); - } + HTML5Video.prototype._onTimeUpdate = function _onTimeUpdate() { + if (this.getPlaybackType() === _playback2.default.LIVE) this.trigger(_events2.default.PLAYBACK_TIMEUPDATE, { current: 1, total: 1 }, this.name);else this.trigger(_events2.default.PLAYBACK_TIMEUPDATE, { current: this.el.currentTime, total: this.el.duration }, this.name); + }; - /** - * @member {INetworkController[]} networkControllers - */ - this.networkControllers = networkControllers; + HTML5Video.prototype._onProgress = function _onProgress() { + if (!this.el.buffered.length) return; - /** - * @var {ICoreComponent[]} - */ - var coreComponents = [playListLoader, fragmentLoader, keyLoader, abrController, bufferController, capLevelController, fpsController, id3TrackController, fragmentTracker]; + var buffered = []; + var bufferedPos = 0; + for (var i = 0; i < this.el.buffered.length; i++) { + buffered = [].concat((0, _toConsumableArray3.default)(buffered), [{ start: this.el.buffered.start(i), end: this.el.buffered.end(i) }]); + if (this.el.currentTime >= buffered[i].start && this.el.currentTime <= buffered[i].end) bufferedPos = i; + } + var progress = { + start: buffered[bufferedPos].start, + current: buffered[bufferedPos].end, + total: this.el.duration + }; + this.trigger(_events2.default.PLAYBACK_PROGRESS, progress, buffered); + }; - // optional audio track and subtitle controller - Controller = config.audioTrackController; - if (Controller) { - var audioTrackController = new Controller(this); + HTML5Video.prototype._typeFor = function _typeFor(src) { + var mimeTypes = HTML5Video._mimeTypesForUrl(src, MIMETYPES, this.options.mimeType); + if (mimeTypes.length === 0) mimeTypes = HTML5Video._mimeTypesForUrl(src, AUDIO_MIMETYPES, this.options.mimeType); - /** - * @member {AudioTrackController} audioTrackController - */ - this.audioTrackController = audioTrackController; - coreComponents.push(audioTrackController); - } + var mimeType = mimeTypes[0] || ''; + return mimeType.split(';')[0]; + }; - Controller = config.subtitleTrackController; - if (Controller) { - var subtitleTrackController = new Controller(this); + HTML5Video.prototype._ready = function _ready() { + if (this._isReadyState) return; - /** - * @member {SubtitleTrackController} subtitleTrackController - */ - this.subtitleTrackController = subtitleTrackController; - coreComponents.push(subtitleTrackController); - } + this._isReadyState = true; + this.trigger(_events2.default.PLAYBACK_READY, this.name); + }; - Controller = config.emeController; - if (Controller) { - var emeController = new Controller(this); + HTML5Video.prototype._checkForClosedCaptions = function _checkForClosedCaptions() { + // Check if CC available only if current playback is HTML5Video + if (this.isHTML5Video && !this._ccIsSetup) { + if (this.hasClosedCaptionsTracks) { + this.trigger(_events2.default.PLAYBACK_SUBTITLE_AVAILABLE); + var trackId = this.closedCaptionsTrackId; + this.closedCaptionsTrackId = trackId; + this.handleTextTrackChange = this._handleTextTrackChange.bind(this); + this.el.textTracks.addEventListener('change', this.handleTextTrackChange); + } + this._ccIsSetup = true; + } + }; - /** - * @member {EMEController} emeController - */ - this.emeController = emeController; - coreComponents.push(emeController); - } + HTML5Video.prototype._handleTextTrackChange = function _handleTextTrackChange() { + var tracks = this.closedCaptionsTracks; + var track = tracks.find(function (track) { + return track.track.mode === 'showing'; + }) || { id: -1 }; + + if (this._ccTrackId !== track.id) { + this._ccTrackId = track.id; + this.trigger(_events2.default.PLAYBACK_SUBTITLE_CHANGED, { + id: track.id + }); + } + }; - // optional subtitle controller - [config.subtitleStreamController, config.timelineController].forEach(function (Controller) { - if (Controller) { - coreComponents.push(new Controller(_this)); - } + HTML5Video.prototype.render = function render() { + if (this.options.playback.disableContextMenu) { + this.$el.on('contextmenu', function () { + return false; }); + } - /** - * @member {ICoreComponent[]} - */ - this.coreComponents = coreComponents; + if (this._externalTracks && this._externalTracks.length > 0) { + this.$el.html(this.template({ + tracks: this._externalTracks + })); } - /** - * Dispose of the instance - */ + this._ready(); + return this; + }; + (0, _createClass3.default)(HTML5Video, [{ + key: 'isReady', + get: function get() { + return this._isReadyState; + } + }, { + key: 'isHTML5Video', + get: function get() { + return this.name === HTML5Video.prototype.name; + } + }, { + key: 'closedCaptionsTracks', + get: function get() { + var id = 0; + var trackId = function trackId() { + return id++; + }; + var textTracks = this.el.textTracks ? (0, _from2.default)(this.el.textTracks) : []; - Hls.prototype.destroy = function destroy() { - logger["b" /* logger */].log('destroy'); - this.trigger(events["a" /* default */].DESTROYING); - this.detachMedia(); - this.coreComponents.concat(this.networkControllers).forEach(function (component) { - component.destroy(); + return textTracks.filter(function (track) { + return track.kind === 'subtitles' || track.kind === 'captions'; + }).map(function (track) { + return { id: trackId(), name: track.label, track: track }; }); - this.url = null; - this.observer.removeAllListeners(); - this._autoLevelCapping = -1; - }; - - /** - * Attach a media element - * @param {HTMLMediaElement} media - */ + } + }, { + key: 'closedCaptionsTrackId', + get: function get() { + return this._ccTrackId; + }, + set: function set(trackId) { + if (!(0, _utils.isNumber)(trackId)) return; + var tracks = this.closedCaptionsTracks; + var showingTrack = void 0; - Hls.prototype.attachMedia = function attachMedia(media) { - logger["b" /* logger */].log('attachMedia'); - this.media = media; - this.trigger(events["a" /* default */].MEDIA_ATTACHING, { media: media }); - }; + // Note: -1 is for hide all tracks + if (trackId !== -1) { + showingTrack = tracks.find(function (track) { + return track.id === trackId; + }); + if (!showingTrack) return; // Track id not found - /** - * Detach from the media - */ + if (showingTrack.track.mode === 'showing') return; // Track already showing + } + // Since it is possible to display multiple tracks, + // ensure that all tracks are hidden. + tracks.filter(function (track) { + return track.track.mode !== 'hidden'; + }).forEach(function (track) { + return track.track.mode = 'hidden'; + }); - Hls.prototype.detachMedia = function detachMedia() { - logger["b" /* logger */].log('detachMedia'); - this.trigger(events["a" /* default */].MEDIA_DETACHING); - this.media = null; - }; + showingTrack && (showingTrack.track.mode = 'showing'); - /** - * Set the source URL. Can be relative or absolute. - * @param {string} url - */ + this._ccTrackId = trackId; + this.trigger(_events2.default.PLAYBACK_SUBTITLE_CHANGED, { + id: trackId + }); + } + }, { + key: 'template', + get: function get() { + return (0, _template2.default)(_tracks2.default); + } + }]); + return HTML5Video; + }(_playback2.default); + exports.default = HTML5Video; - Hls.prototype.loadSource = function loadSource(url) { - url = url_toolkit_default.a.buildAbsoluteURL(window.location.href, url, { alwaysNormalize: true }); - logger["b" /* logger */].log('loadSource:' + url); - this.url = url; - // when attaching to a source URL, trigger a playlist load - this.trigger(events["a" /* default */].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) - */ + HTML5Video._mimeTypesForUrl = function (resourceUrl, mimeTypesByExtension, mimeType) { + var extension = (resourceUrl.split('?')[0].match(/.*\.(.*)$/) || [])[1]; + var mimeTypes = mimeType || extension && mimeTypesByExtension[extension.toLowerCase()] || []; + return mimeTypes.constructor === Array ? mimeTypes : [mimeTypes]; + }; + HTML5Video._canPlay = function (type, mimeTypesByExtension, resourceUrl, mimeType) { + var mimeTypes = HTML5Video._mimeTypesForUrl(resourceUrl, mimeTypesByExtension, mimeType); + var media = document.createElement(type); + return !!mimeTypes.filter(function (mediaType) { + return !!media.canPlayType(mediaType).replace(/no/, ''); + })[0]; + }; - Hls.prototype.startLoad = function startLoad() { - var startPosition = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : -1; + HTML5Video.canPlay = function (resourceUrl, mimeType) { + return HTML5Video._canPlay('audio', AUDIO_MIMETYPES, resourceUrl, mimeType) || HTML5Video._canPlay('video', MIMETYPES, resourceUrl, mimeType); + }; + module.exports = exports['default']; + /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(/*! ./../../../node_modules/node-libs-browser/node_modules/process/browser.js */ "./node_modules/node-libs-browser/node_modules/process/browser.js"))) - logger["b" /* logger */].log('startLoad(' + startPosition + ')'); - this.networkControllers.forEach(function (controller) { - controller.startLoad(startPosition); - }); - }; + /***/ }), - /** - * Stop loading of any stream data. - */ + /***/ "./src/playbacks/html5_video/index.js": + /*!********************************************!*\ + !*** ./src/playbacks/html5_video/index.js ***! + \********************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { + "use strict"; - Hls.prototype.stopLoad = function stopLoad() { - logger["b" /* 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) - */ + Object.defineProperty(exports, "__esModule", { + value: true + }); + var _html5_video = __webpack_require__(/*! ./html5_video */ "./src/playbacks/html5_video/html5_video.js"); - Hls.prototype.swapAudioCodec = function swapAudioCodec() { - logger["b" /* logger */].log('swapAudioCodec'); - this.streamController.swapAudioCodec(); - }; + var _html5_video2 = _interopRequireDefault(_html5_video); - /** - * 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. - */ + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + exports.default = _html5_video2.default; + module.exports = exports['default']; - Hls.prototype.recoverMediaError = function recoverMediaError() { - logger["b" /* logger */].log('recoverMediaError'); - var media = this.media; - this.detachMedia(); - this.attachMedia(media); - }; + /***/ }), - /** - * @type {QualityLevel[]} - */ + /***/ "./src/playbacks/html5_video/public/style.scss": + /*!*****************************************************!*\ + !*** ./src/playbacks/html5_video/public/style.scss ***! + \*****************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - hls__createClass(Hls, [{ - key: 'levels', - get: function get() { - return this.levelController.levels; - } + var content = __webpack_require__(/*! !../../../../node_modules/css-loader!../../../../node_modules/postcss-loader/lib!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/joaopaulo/Workstation/JS/clappr/src/base/scss!./style.scss */ "./node_modules/css-loader/index.js!./node_modules/postcss-loader/lib/index.js!./node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/joaopaulo/Workstation/JS/clappr/src/base/scss!./src/playbacks/html5_video/public/style.scss"); - /** - * Index of quality level currently played - * @type {number} - */ + if(typeof content === 'string') content = [[module.i, content, '']]; - }, { - key: 'currentLevel', - get: function get() { - return this.streamController.currentLevel; - } + var transform; + var insertInto; - /** - * 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) { - logger["b" /* logger */].log('set currentLevel:' + newLevel); - this.loadLevel = newLevel; - 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; - } + var options = {"singleton":true,"hmr":true} - /** - * 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) { - logger["b" /* logger */].log('set nextLevel:' + newLevel); - this.levelController.manualLevel = newLevel; - this.streamController.nextLevelSwitch(); - } + options.transform = transform + options.insertInto = undefined; - /** - * Return the quality level of the currently or last (of none is loaded currently) segment - * @type {number} - */ + var update = __webpack_require__(/*! ../../../../node_modules/style-loader/lib/addStyles.js */ "./node_modules/style-loader/lib/addStyles.js")(content, options); - }, { - key: 'loadLevel', - get: function get() { - return this.levelController.level; - } + if(content.locals) module.exports = content.locals; - /** - * 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) { - logger["b" /* logger */].log('set loadLevel:' + newLevel); - this.levelController.manualLevel = newLevel; - } + if(false) {} - /** - * get next quality level loaded - * @type {number} - */ + /***/ }), - }, { - key: 'nextLoadLevel', - get: function get() { - return this.levelController.nextLoadLevel; - } + /***/ "./src/playbacks/html5_video/public/tracks.html": + /*!******************************************************!*\ + !*** ./src/playbacks/html5_video/public/tracks.html ***! + \******************************************************/ + /*! no static exports found */ + /***/ (function(module, exports) { - /** - * 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; - } + module.exports = "<% for (var i = 0; i < tracks.length; i++) { %>\n <track data-html5-video-track=\"<%= i %>\" kind=\"<%= tracks[i].kind %>\" label=\"<%= tracks[i].label %>\" srclang=\"<%= tracks[i].lang %>\" src=\"<%= tracks[i].src %>\" />\n<% }; %>\n"; - /** - * 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); - } + /***/ "./src/playbacks/html_img/html_img.js": + /*!********************************************!*\ + !*** ./src/playbacks/html_img/html_img.js ***! + \********************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - /** - * Sets "first-level", see getter. - * @type {number} - */ - , - set: function set(newLevel) { - logger["b" /* logger */].log('set firstLevel:' + newLevel); - this.levelController.firstLevel = newLevel; - } + "use strict"; - /** - * 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; - } + Object.defineProperty(exports, "__esModule", { + value: true + }); - /** - * 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) { - logger["b" /* logger */].log('set startLevel:' + newLevel); - var hls = this; - // if not in automatic start level detection, ensure startLevel is greater than minAutoLevel - if (newLevel !== -1) { - newLevel = Math.max(newLevel, hls.minAutoLevel); - } + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); - hls.levelController.startLevel = newLevel; - } + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); - /** - * Capping/max level value that should be used by automatic level selection algorithm (`ABRController`) - * @type {number} - */ + var _possibleConstructorReturn2 = __webpack_require__(/*! babel-runtime/helpers/possibleConstructorReturn */ "./node_modules/babel-runtime/helpers/possibleConstructorReturn.js"); - }, { - key: 'autoLevelCapping', - get: function get() { - return this._autoLevelCapping; - } + var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); - /** - * Capping/max level value that should be used by automatic level selection algorithm (`ABRController`) - * @type {number} - */ - , - set: function set(newLevel) { - logger["b" /* logger */].log('set autoLevelCapping:' + newLevel); - this._autoLevelCapping = newLevel; - } + var _createClass2 = __webpack_require__(/*! babel-runtime/helpers/createClass */ "./node_modules/babel-runtime/helpers/createClass.js"); - /** - * True when automatic level selection enabled - * @type {boolean} - */ + var _createClass3 = _interopRequireDefault(_createClass2); - }, { - key: 'autoLevelEnabled', - get: function get() { - return this.levelController.manualLevel === -1; - } + var _inherits2 = __webpack_require__(/*! babel-runtime/helpers/inherits */ "./node_modules/babel-runtime/helpers/inherits.js"); - /** - * Level set manually (if any) - * @type {number} - */ + var _inherits3 = _interopRequireDefault(_inherits2); - }, { - key: 'manualLevel', - get: function get() { - return this.levelController.manualLevel; - } + var _playback = __webpack_require__(/*! ../../base/playback */ "./src/base/playback.js"); - /** - * min level selectable in auto mode according to config.minAutoBitrate - * @type {number} - */ + var _playback2 = _interopRequireDefault(_playback); - }, { - key: 'minAutoLevel', - get: function get() { - var hls = this, - levels = hls.levels, - minAutoBitrate = hls.config.minAutoBitrate, - len = levels ? levels.length : 0; - for (var i = 0; i < len; i++) { - var levelNextBitrate = levels[i].realBitrate ? Math.max(levels[i].realBitrate, levels[i].bitrate) : levels[i].bitrate; - if (levelNextBitrate > minAutoBitrate) { - return i; - } - } - return 0; - } + var _events = __webpack_require__(/*! ../../base/events */ "./src/base/events.js"); - /** - * max level selectable in auto mode according to autoLevelCapping - * @type {number} - */ + var _events2 = _interopRequireDefault(_events); - }, { - key: 'maxAutoLevel', - get: function get() { - var hls = this; - var levels = hls.levels; - var autoLevelCapping = hls.autoLevelCapping; - var maxAutoLevel = void 0; - if (autoLevelCapping === -1 && levels && levels.length) { - maxAutoLevel = levels.length - 1; - } else { - maxAutoLevel = autoLevelCapping; - } + __webpack_require__(/*! ./public/style.scss */ "./src/playbacks/html_img/public/style.scss"); - return maxAutoLevel; - } + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - /** - * next automatically selected quality level - * @type {number} - */ + var HTMLImg = function (_Playback) { + (0, _inherits3.default)(HTMLImg, _Playback); - }, { - key: 'nextAutoLevel', - get: function get() { - var hls = this; - // ensure next auto level is between min and max auto level - return Math.min(Math.max(hls.abrController.nextAutoLevel, hls.minAutoLevel), hls.maxAutoLevel); - } + HTMLImg.prototype.getPlaybackType = function getPlaybackType() { + return _playback2.default.NO_OP; + }; - /** - * 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) { - var hls = this; - hls.abrController.nextAutoLevel = Math.max(hls.minAutoLevel, nextLevel); - } + (0, _createClass3.default)(HTMLImg, [{ + key: 'name', + get: function get() { + return 'html_img'; + } + }, { + key: 'tagName', + get: function get() { + return 'img'; + } + }, { + key: 'attributes', + get: function get() { + return { + 'data-html-img': '' + }; + } + }, { + key: 'events', + get: function get() { + return { + 'load': '_onLoad', + 'abort': '_onError', + 'error': '_onError' + }; + } + }]); - /** - * @type {AudioTrack[]} - */ + function HTMLImg(params) { + (0, _classCallCheck3.default)(this, HTMLImg); - }, { - key: 'audioTracks', - get: function get() { - var audioTrackController = this.audioTrackController; - return audioTrackController ? audioTrackController.audioTracks : []; - } + var _this = (0, _possibleConstructorReturn3.default)(this, _Playback.call(this, params)); - /** - * index of the selected audio track (index in audio track lists) - * @type {number} - */ + _this.el.src = params.src; + return _this; + } - }, { - key: 'audioTrack', - get: function get() { - var audioTrackController = this.audioTrackController; - return audioTrackController ? audioTrackController.audioTrack : -1; - } + HTMLImg.prototype.render = function render() { + this.trigger(_events2.default.PLAYBACK_READY, this.name); + return this; + }; - /** - * 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; - } - } + HTMLImg.prototype._onLoad = function _onLoad() { + this.trigger(_events2.default.PLAYBACK_ENDED, this.name); + }; - /** - * @type {Seconds} - */ + HTMLImg.prototype._onError = function _onError(evt) { + var m = evt.type === 'error' ? 'load error' : 'loading aborted'; + this.trigger(_events2.default.PLAYBACK_ERROR, { message: m }, this.name); + }; - }, { - key: 'liveSyncPosition', - get: function get() { - return this.streamController.liveSyncPosition; - } + return HTMLImg; + }(_playback2.default); // Copyright 2014 Globo.com Player authors. All rights reserved. +// Use of this source code is governed by a BSD-style +// license that can be found in the LICENSE file. - /** - * get alternate subtitle tracks list from playlist - * @type {SubtitleTrack[]} - */ + exports.default = HTMLImg; - }, { - 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} - */ + HTMLImg.canPlay = function (resource) { + return (/\.(png|jpg|jpeg|gif|bmp|tiff|pgm|pnm|webp)(|\?.*)$/i.test(resource) + ); + }; + module.exports = exports['default']; - }, { - key: 'subtitleTrack', - get: function get() { - var subtitleTrackController = this.subtitleTrackController; - return subtitleTrackController ? subtitleTrackController.subtitleTrack : -1; - } + /***/ }), - /** - * select an subtitle track, based on its index in subtitle track lists - * @type{number} - */ - , - set: function set(subtitleTrackId) { - var subtitleTrackController = this.subtitleTrackController; - if (subtitleTrackController) { - subtitleTrackController.subtitleTrack = subtitleTrackId; - } - } + /***/ "./src/playbacks/html_img/index.js": + /*!*****************************************!*\ + !*** ./src/playbacks/html_img/index.js ***! + \*****************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - /** - * @type {boolean} - */ + "use strict"; - }, { - 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; - } - } - }]); + Object.defineProperty(exports, "__esModule", { + value: true + }); - return Hls; - }(); + var _html_img = __webpack_require__(/*! ./html_img */ "./src/playbacks/html_img/html_img.js"); - /* harmony default export */ var src_hls = __webpack_exports__["default"] = (hls_Hls); + var _html_img2 = _interopRequireDefault(_html_img); - /***/ }), - /* 12 */ - /***/ (function(module, exports, __webpack_require__) { + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - function webpackBootstrapFunc (modules) { - /******/ // The module cache - /******/ var installedModules = {}; + exports.default = _html_img2.default; + module.exports = exports['default']; - /******/ // The require function - /******/ function __webpack_require__(moduleId) { + /***/ }), - /******/ // Check if module is in cache - /******/ if(installedModules[moduleId]) - /******/ return installedModules[moduleId].exports; + /***/ "./src/playbacks/html_img/public/style.scss": + /*!**************************************************!*\ + !*** ./src/playbacks/html_img/public/style.scss ***! + \**************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - /******/ // 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__); + var content = __webpack_require__(/*! !../../../../node_modules/css-loader!../../../../node_modules/postcss-loader/lib!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/joaopaulo/Workstation/JS/clappr/src/base/scss!./style.scss */ "./node_modules/css-loader/index.js!./node_modules/postcss-loader/lib/index.js!./node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/joaopaulo/Workstation/JS/clappr/src/base/scss!./src/playbacks/html_img/public/style.scss"); - /******/ // Flag the module as loaded - /******/ module.l = true; + if(typeof content === 'string') content = [[module.i, content, '']]; - /******/ // Return the exports of the module - /******/ return module.exports; - /******/ } + var transform; + var insertInto; - /******/ // 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; }; + var options = {"singleton":true,"hmr":true} - /******/ // 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 - /******/ }); - /******/ } - /******/ }; + options.transform = transform + options.insertInto = undefined; - /******/ // 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; - /******/ }; + var update = __webpack_require__(/*! ../../../../node_modules/style-loader/lib/addStyles.js */ "./node_modules/style-loader/lib/addStyles.js")(content, options); - /******/ // Object.prototype.hasOwnProperty.call - /******/ __webpack_require__.o = function(object, property) { return Object.prototype.hasOwnProperty.call(object, property); }; + if(content.locals) module.exports = content.locals; - /******/ // __webpack_public_path__ - /******/ __webpack_require__.p = "/"; + if(false) {} - /******/ // 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 - } + /***/ "./src/playbacks/no_op/index.js": + /*!**************************************!*\ + !*** ./src/playbacks/no_op/index.js ***! + \**************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - var moduleNameReqExp = '[\\.|\\-|\\+|\\w|\/|@]+' - var dependencyRegExp = '\\((\/\\*.*?\\*\/)?\s?.*?(' + moduleNameReqExp + ').*?\\)' // additional chars when output.pathinfo is true + "use strict"; -// http://stackoverflow.com/a/2593661/130442 - function quoteRegExp (str) { - return (str + '').replace(/[.?*+^$[\]\\(){}|-]/g, '\\$&') - } - function getModuleDependencies (sources, module, queueName) { - var retval = {} - retval[queueName] = [] + Object.defineProperty(exports, "__esModule", { + value: true + }); - var fnString = module.toString() - var wrapperSignature = fnString.match(/^function\s?\(\w+,\s*\w+,\s*(\w+)\)/) - if (!wrapperSignature) return retval - var webpackRequireName = wrapperSignature[1] + var _no_op = __webpack_require__(/*! ./no_op */ "./src/playbacks/no_op/no_op.js"); - // 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]) - } + var _no_op2 = _interopRequireDefault(_no_op); - // 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]) - } + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - return retval - } + exports.default = _no_op2.default; + module.exports = exports['default']; - 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: {} - } + /***/ "./src/playbacks/no_op/no_op.js": + /*!**************************************!*\ + !*** ./src/playbacks/no_op/no_op.js ***! + \**************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - 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]]) - } - } - } + "use strict"; - return requiredModules - } - module.exports = function (moduleId, options) { - options = options || {} - var sources = { - main: __webpack_require__.m - } + Object.defineProperty(exports, "__esModule", { + value: true + }); - var requiredModules = options.all ? { main: Object.keys(sources) } : getRequiredModules(sources, moduleId) + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); - var src = '' + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); - 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' - }) + var _possibleConstructorReturn2 = __webpack_require__(/*! babel-runtime/helpers/possibleConstructorReturn */ "./node_modules/babel-runtime/helpers/possibleConstructorReturn.js"); - src = src + '(' + webpackBootstrapFunc.toString().replace('ENTRY_MODULE', JSON.stringify(moduleId)) + ')({' + requiredModules.main.map(function (id) { return '' + JSON.stringify(id) + ': ' + sources.main[id].toString() }).join(',') + '})(self);' + var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); - var blob = new window.Blob([src], { type: 'text/javascript' }) - if (options.bare) { return blob } + var _createClass2 = __webpack_require__(/*! babel-runtime/helpers/createClass */ "./node_modules/babel-runtime/helpers/createClass.js"); - var URL = window.URL || window.webkitURL || window.mozURL || window.msURL + var _createClass3 = _interopRequireDefault(_createClass2); - var workerUrl = URL.createObjectURL(blob) - var worker = new window.Worker(workerUrl) - worker.objectURL = workerUrl + var _inherits2 = __webpack_require__(/*! babel-runtime/helpers/inherits */ "./node_modules/babel-runtime/helpers/inherits.js"); - return worker - } + var _inherits3 = _interopRequireDefault(_inherits2); + var _utils = __webpack_require__(/*! ../../base/utils */ "./src/base/utils.js"); - /***/ }), - /* 13 */ - /***/ (function(module, __webpack_exports__, __webpack_require__) { + var _playback = __webpack_require__(/*! ../../base/playback */ "./src/base/playback.js"); - "use strict"; - Object.defineProperty(__webpack_exports__, "__esModule", { value: true }); - /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__demux_demuxer_inline__ = __webpack_require__(10); - /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__events__ = __webpack_require__(1); - /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__utils_logger__ = __webpack_require__(0); - /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_events__ = __webpack_require__(7); - /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_events___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_events__); - /* demuxer web worker. - * - listen to worker message, and trigger DemuxerInline upon reception of Fragments. - * - provides MP4 Boxes back to main thread using [transferable objects](https://developers.google.com/web/updates/2011/12/Transferable-Objects-Lightning-Fast) in order to minimize message passing overhead. - */ + var _playback2 = _interopRequireDefault(_playback); + var _template = __webpack_require__(/*! ../../base/template */ "./src/base/template.js"); + var _template2 = _interopRequireDefault(_template); + var _events = __webpack_require__(/*! ../../base/events */ "./src/base/events.js"); + var _events2 = _interopRequireDefault(_events); + var _error = __webpack_require__(/*! ./public/error.html */ "./src/playbacks/no_op/public/error.html"); - var DemuxerWorker = function DemuxerWorker(self) { - // observer setup - var observer = new __WEBPACK_IMPORTED_MODULE_3_events___default.a(); - observer.trigger = function trigger(event) { - for (var _len = arguments.length, data = Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) { - data[_key - 1] = arguments[_key]; - } + var _error2 = _interopRequireDefault(_error); - observer.emit.apply(observer, [event, event].concat(data)); - }; + __webpack_require__(/*! ./public/style.scss */ "./src/playbacks/no_op/public/style.scss"); - observer.off = function off(event) { - for (var _len2 = arguments.length, data = Array(_len2 > 1 ? _len2 - 1 : 0), _key2 = 1; _key2 < _len2; _key2++) { - data[_key2 - 1] = arguments[_key2]; - } + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - observer.removeListener.apply(observer, [event].concat(data)); - }; + var NoOp = function (_Playback) { + (0, _inherits3.default)(NoOp, _Playback); + (0, _createClass3.default)(NoOp, [{ + key: 'name', + get: function get() { + return 'no_op'; + } + }, { + key: 'template', + get: function get() { + return (0, _template2.default)(_error2.default); + } + }, { + key: 'attributes', + get: function get() { + return { 'data-no-op': '' }; + } + }]); - var forwardMessage = function forwardMessage(ev, data) { - self.postMessage({ event: ev, data: data }); - }; + function NoOp() { + (0, _classCallCheck3.default)(this, NoOp); - self.addEventListener('message', function (ev) { - var data = ev.data; - // console.log('demuxer cmd:' + data.cmd); - switch (data.cmd) { - case 'init': - var config = JSON.parse(data.config); - self.demuxer = new __WEBPACK_IMPORTED_MODULE_0__demux_demuxer_inline__["a" /* default */](observer, data.typeSupported, config, data.vendor); - try { - Object(__WEBPACK_IMPORTED_MODULE_2__utils_logger__["a" /* enableLogs */])(config.debug === true); - } catch (err) { - console.warn('demuxerWorker: unable to enable logs'); - } - // signal end of worker init - forwardMessage('init', null); - break; - case 'demux': - self.demuxer.push(data.data, data.decryptdata, data.initSegment, data.audioCodec, data.videoCodec, data.timeOffset, data.discontinuity, data.trackSwitch, data.contiguous, data.duration, data.accurateTimeOffset, data.defaultInitPTS); - break; - default: - break; - } - }); + for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) { + args[_key] = arguments[_key]; + } - // forward events to main thread - observer.on(__WEBPACK_IMPORTED_MODULE_1__events__["a" /* default */].FRAG_DECRYPTED, forwardMessage); - observer.on(__WEBPACK_IMPORTED_MODULE_1__events__["a" /* default */].FRAG_PARSING_INIT_SEGMENT, forwardMessage); - observer.on(__WEBPACK_IMPORTED_MODULE_1__events__["a" /* default */].FRAG_PARSED, forwardMessage); - observer.on(__WEBPACK_IMPORTED_MODULE_1__events__["a" /* default */].ERROR, forwardMessage); - observer.on(__WEBPACK_IMPORTED_MODULE_1__events__["a" /* default */].FRAG_PARSING_METADATA, forwardMessage); - observer.on(__WEBPACK_IMPORTED_MODULE_1__events__["a" /* default */].FRAG_PARSING_USERDATA, forwardMessage); - observer.on(__WEBPACK_IMPORTED_MODULE_1__events__["a" /* default */].INIT_PTS_FOUND, forwardMessage); - - // special case for FRAG_PARSING_DATA: pass data1/data2 as transferable object (no copy) - observer.on(__WEBPACK_IMPORTED_MODULE_1__events__["a" /* default */].FRAG_PARSING_DATA, function (ev, data) { - var transferable = []; - var message = { event: ev, data: data }; - if (data.data1) { - message.data1 = data.data1.buffer; - transferable.push(data.data1.buffer); - delete data.data1; - } - if (data.data2) { - message.data2 = data.data2.buffer; - transferable.push(data.data2.buffer); - delete data.data2; - } - self.postMessage(message, transferable); - }); - }; + var _this = (0, _possibleConstructorReturn3.default)(this, _Playback.call.apply(_Playback, [this].concat(args))); - /* harmony default export */ __webpack_exports__["default"] = (DemuxerWorker); + _this._noiseFrameNum = -1; + return _this; + } - /***/ }), - /* 14 */ - /***/ (function(module, exports) { + NoOp.prototype.render = function render() { + var playbackNotSupported = this.options.playbackNotSupportedMessage || this.i18n.t('playback_not_supported'); + this.$el.html(this.template({ message: playbackNotSupported })); + this.trigger(_events2.default.PLAYBACK_READY, this.name); + var showForNoOp = !!(this.options.poster && this.options.poster.showForNoOp); + if (this.options.autoPlay || !showForNoOp) this._animate(); - /*! http://mths.be/endswith v0.2.0 by @mathias */ - if (!String.prototype.endsWith) { - (function() { - 'use strict'; // needed to support `apply`/`call` with `undefined`/`null` - var defineProperty = (function() { - // IE 8 only supports `Object.defineProperty` on DOM elements - try { - var object = {}; - var $defineProperty = Object.defineProperty; - var result = $defineProperty(object, object, object) && $defineProperty; - } catch(error) {} - return result; - }()); - var toString = {}.toString; - var endsWith = function(search) { - if (this == null) { - throw TypeError(); - } - var string = String(this); - if (search && toString.call(search) == '[object RegExp]') { - throw TypeError(); - } - var stringLength = string.length; - var searchString = String(search); - var searchLength = searchString.length; - var pos = stringLength; - if (arguments.length > 1) { - var position = arguments[1]; - if (position !== undefined) { - // `ToInteger` - pos = position ? Number(position) : 0; - if (pos != pos) { // better `isNaN` - pos = 0; - } - } - } - var end = Math.min(Math.max(pos, 0), stringLength); - var start = end - searchLength; - if (start < 0) { - return false; - } - var index = -1; - while (++index < searchLength) { - if (string.charCodeAt(start + index) != searchString.charCodeAt(index)) { - return false; - } - } - return true; - }; - if (defineProperty) { - defineProperty(String.prototype, 'endsWith', { - 'value': endsWith, - 'configurable': true, - 'writable': true - }); - } else { - String.prototype.endsWith = endsWith; - } - }()); + return this; + }; + + NoOp.prototype._noise = function _noise() { + this._noiseFrameNum = (this._noiseFrameNum + 1) % 5; + if (this._noiseFrameNum) { + // only update noise every 5 frames to save cpu + return; } + var idata = this.context.createImageData(this.context.canvas.width, this.context.canvas.height); + var buffer32 = void 0; + try { + buffer32 = new Uint32Array(idata.data.buffer); + } catch (err) { + buffer32 = new Uint32Array(this.context.canvas.width * this.context.canvas.height * 4); + var data = idata.data; + for (var i = 0; i < data.length; i++) { + buffer32[i] = data[i]; + } + } - /***/ }) - /******/ ])["default"]; - }); -//# sourceMappingURL=hls.js.map + var len = buffer32.length, + m = Math.random() * 6 + 4; + var run = 0, + color = 0; + for (var _i = 0; _i < len;) { + if (run < 0) { + run = m * Math.random(); + var p = Math.pow(Math.random(), 0.4); + color = 255 * p << 24; + } + run -= 1; + buffer32[_i++] = color; + } + this.context.putImageData(idata, 0, 0); + }; - /***/ }), - /* 189 */ - /***/ (function(module, exports, __webpack_require__) { + NoOp.prototype._loop = function _loop() { + var _this2 = this; - "use strict"; + if (this._stop) return; + this._noise(); + this._animationHandle = (0, _utils.requestAnimationFrame)(function () { + return _this2._loop(); + }); + }; - Object.defineProperty(exports, "__esModule", { - value: true - }); + NoOp.prototype.destroy = function destroy() { + if (this._animationHandle) { + (0, _utils.cancelAnimationFrame)(this._animationHandle); + this._stop = true; + } + }; - var _classCallCheck2 = __webpack_require__(0); + NoOp.prototype._animate = function _animate() { + this.canvas = this.$el.find('canvas[data-no-op-canvas]')[0]; + this.context = this.canvas.getContext('2d'); + this._loop(); + }; - var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + return NoOp; + }(_playback2.default); - var _possibleConstructorReturn2 = __webpack_require__(1); + exports.default = NoOp; - var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); - var _createClass2 = __webpack_require__(3); + NoOp.canPlay = function (source) { + // eslint-disable-line no-unused-vars + return true; + }; + module.exports = exports['default']; - var _createClass3 = _interopRequireDefault(_createClass2); + /***/ }), - var _inherits2 = __webpack_require__(2); + /***/ "./src/playbacks/no_op/public/error.html": + /*!***********************************************!*\ + !*** ./src/playbacks/no_op/public/error.html ***! + \***********************************************/ + /*! no static exports found */ + /***/ (function(module, exports) { - var _inherits3 = _interopRequireDefault(_inherits2); + module.exports = "<canvas data-no-op-canvas></canvas>\n<p data-no-op-msg><%=message%><p>\n"; - var _playback = __webpack_require__(10); + /***/ }), - var _playback2 = _interopRequireDefault(_playback); + /***/ "./src/playbacks/no_op/public/style.scss": + /*!***********************************************!*\ + !*** ./src/playbacks/no_op/public/style.scss ***! + \***********************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - var _events = __webpack_require__(4); - var _events2 = _interopRequireDefault(_events); + var content = __webpack_require__(/*! !../../../../node_modules/css-loader!../../../../node_modules/postcss-loader/lib!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/joaopaulo/Workstation/JS/clappr/src/base/scss!./style.scss */ "./node_modules/css-loader/index.js!./node_modules/postcss-loader/lib/index.js!./node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/joaopaulo/Workstation/JS/clappr/src/base/scss!./src/playbacks/no_op/public/style.scss"); - __webpack_require__(190); + if(typeof content === 'string') content = [[module.i, content, '']]; - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + var transform; + var insertInto; - var HTMLImg = function (_Playback) { - (0, _inherits3.default)(HTMLImg, _Playback); - HTMLImg.prototype.getPlaybackType = function getPlaybackType() { - return _playback2.default.NO_OP; - }; - (0, _createClass3.default)(HTMLImg, [{ - key: 'name', - get: function get() { - return 'html_img'; - } - }, { - key: 'tagName', - get: function get() { - return 'img'; - } - }, { - key: 'attributes', - get: function get() { - return { - 'data-html-img': '' - }; - } - }, { - key: 'events', - get: function get() { - return { - 'load': '_onLoad', - 'abort': '_onError', - 'error': '_onError' - }; - } - }]); + var options = {"singleton":true,"hmr":true} - function HTMLImg(params) { - (0, _classCallCheck3.default)(this, HTMLImg); + options.transform = transform + options.insertInto = undefined; - var _this = (0, _possibleConstructorReturn3.default)(this, _Playback.call(this, params)); + var update = __webpack_require__(/*! ../../../../node_modules/style-loader/lib/addStyles.js */ "./node_modules/style-loader/lib/addStyles.js")(content, options); - _this.el.src = params.src; - return _this; - } + if(content.locals) module.exports = content.locals; - HTMLImg.prototype.render = function render() { - this.trigger(_events2.default.PLAYBACK_READY, this.name); - return this; - }; + if(false) {} - HTMLImg.prototype._onLoad = function _onLoad() { - this.trigger(_events2.default.PLAYBACK_ENDED, this.name); - }; + /***/ }), - HTMLImg.prototype._onError = function _onError(evt) { - var m = evt.type === 'error' ? 'load error' : 'loading aborted'; - this.trigger(_events2.default.PLAYBACK_ERROR, { message: m }, this.name); - }; + /***/ "./src/plugins/click_to_pause/click_to_pause.js": + /*!******************************************************!*\ + !*** ./src/plugins/click_to_pause/click_to_pause.js ***! + \******************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - return HTMLImg; - }(_playback2.default); // Copyright 2014 Globo.com Player authors. All rights reserved. -// Use of this source code is governed by a BSD-style -// license that can be found in the LICENSE file. + "use strict"; - exports.default = HTMLImg; + Object.defineProperty(exports, "__esModule", { + value: true + }); - HTMLImg.canPlay = function (resource) { - return (/\.(png|jpg|jpeg|gif|bmp|tiff|pgm|pnm|webp)(|\?.*)$/i.test(resource) - ); - }; - module.exports = exports['default']; + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); - /***/ }), - /* 190 */ - /***/ (function(module, exports, __webpack_require__) { + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + var _possibleConstructorReturn2 = __webpack_require__(/*! babel-runtime/helpers/possibleConstructorReturn */ "./node_modules/babel-runtime/helpers/possibleConstructorReturn.js"); - var content = __webpack_require__(191); + var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); - if(typeof content === 'string') content = [[module.i, content, '']]; + var _createClass2 = __webpack_require__(/*! babel-runtime/helpers/createClass */ "./node_modules/babel-runtime/helpers/createClass.js"); - var transform; - var insertInto; + var _createClass3 = _interopRequireDefault(_createClass2); + var _inherits2 = __webpack_require__(/*! babel-runtime/helpers/inherits */ "./node_modules/babel-runtime/helpers/inherits.js"); + var _inherits3 = _interopRequireDefault(_inherits2); - var options = {"singleton":true,"hmr":true} + var _container_plugin = __webpack_require__(/*! ../../base/container_plugin */ "./src/base/container_plugin.js"); - options.transform = transform - options.insertInto = undefined; + var _container_plugin2 = _interopRequireDefault(_container_plugin); - var update = __webpack_require__(9)(content, options); + var _events = __webpack_require__(/*! ../../base/events */ "./src/base/events.js"); - if(content.locals) module.exports = content.locals; + var _events2 = _interopRequireDefault(_events); - if(false) { - module.hot.accept("!!../../../../node_modules/css-loader/index.js!../../../../node_modules/postcss-loader/lib/index.js!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/bruno.torres/workspace/clappr/clappr/src/base/scss!./style.scss", function() { - var newContent = require("!!../../../../node_modules/css-loader/index.js!../../../../node_modules/postcss-loader/lib/index.js!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/bruno.torres/workspace/clappr/clappr/src/base/scss!./style.scss"); + var _playback = __webpack_require__(/*! ../../base/playback */ "./src/base/playback.js"); - if(typeof newContent === 'string') newContent = [[module.id, newContent, '']]; + var _playback2 = _interopRequireDefault(_playback); - var locals = (function(a, b) { - var key, idx = 0; + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - for(key in a) { - if(!b || a[key] !== b[key]) return false; - idx++; + var ClickToPausePlugin = function (_ContainerPlugin) { + (0, _inherits3.default)(ClickToPausePlugin, _ContainerPlugin); + (0, _createClass3.default)(ClickToPausePlugin, [{ + key: 'name', + get: function get() { + return 'click_to_pause'; } + }]); - for(key in b) idx--; + function ClickToPausePlugin(container) { + (0, _classCallCheck3.default)(this, ClickToPausePlugin); + return (0, _possibleConstructorReturn3.default)(this, _ContainerPlugin.call(this, container)); + } - return idx === 0; - }(content.locals, newContent.locals)); + ClickToPausePlugin.prototype.bindEvents = function bindEvents() { + this.listenTo(this.container, _events2.default.CONTAINER_CLICK, this.click); + this.listenTo(this.container, _events2.default.CONTAINER_SETTINGSUPDATE, this.settingsUpdate); + }; - if(!locals) throw new Error('Aborting CSS HMR due to changed css-modules locals.'); + ClickToPausePlugin.prototype.click = function click() { + if (this.container.getPlaybackType() !== _playback2.default.LIVE || this.container.isDvrEnabled()) { + if (this.container.isPlaying()) this.container.pause();else this.container.play(); + } + }; - update(newContent); - }); + ClickToPausePlugin.prototype.settingsUpdate = function settingsUpdate() { + var pointerEnabled = this.container.getPlaybackType() !== _playback2.default.LIVE || this.container.isDvrEnabled(); + if (pointerEnabled === this.pointerEnabled) return; - module.hot.dispose(function() { update(); }); - } + var method = pointerEnabled ? 'addClass' : 'removeClass'; + this.container.$el[method]('pointer-enabled'); + this.pointerEnabled = pointerEnabled; + }; - /***/ }), - /* 191 */ - /***/ (function(module, exports, __webpack_require__) { + return ClickToPausePlugin; + }(_container_plugin2.default); //Copyright 2014 Globo.com Player authors. All rights reserved. +// Use of this source code is governed by a BSD-style +// license that can be found in the LICENSE file. - exports = module.exports = __webpack_require__(8)(false); -// imports + exports.default = ClickToPausePlugin; + module.exports = exports['default']; + /***/ }), -// module - exports.push([module.i, "[data-html-img] {\n max-width: 100%;\n max-height: 100%; }\n", ""]); + /***/ "./src/plugins/click_to_pause/index.js": + /*!*********************************************!*\ + !*** ./src/plugins/click_to_pause/index.js ***! + \*********************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { -// exports + "use strict"; - /***/ }), - /* 192 */ - /***/ (function(module, exports, __webpack_require__) { + Object.defineProperty(exports, "__esModule", { + value: true + }); - "use strict"; + var _click_to_pause = __webpack_require__(/*! ./click_to_pause */ "./src/plugins/click_to_pause/click_to_pause.js"); + var _click_to_pause2 = _interopRequireDefault(_click_to_pause); - Object.defineProperty(exports, "__esModule", { - value: true - }); + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - var _classCallCheck2 = __webpack_require__(0); + exports.default = _click_to_pause2.default; + module.exports = exports['default']; - var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + /***/ }), - var _possibleConstructorReturn2 = __webpack_require__(1); + /***/ "./src/plugins/closed_captions/closed_captions.js": + /*!********************************************************!*\ + !*** ./src/plugins/closed_captions/closed_captions.js ***! + \********************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); + "use strict"; - var _createClass2 = __webpack_require__(3); - var _createClass3 = _interopRequireDefault(_createClass2); + Object.defineProperty(exports, "__esModule", { + value: true + }); - var _inherits2 = __webpack_require__(2); + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); - var _inherits3 = _interopRequireDefault(_inherits2); + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); - var _utils = __webpack_require__(5); + var _possibleConstructorReturn2 = __webpack_require__(/*! babel-runtime/helpers/possibleConstructorReturn */ "./node_modules/babel-runtime/helpers/possibleConstructorReturn.js"); - var _playback = __webpack_require__(10); + var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); - var _playback2 = _interopRequireDefault(_playback); + var _createClass2 = __webpack_require__(/*! babel-runtime/helpers/createClass */ "./node_modules/babel-runtime/helpers/createClass.js"); - var _template = __webpack_require__(7); + var _createClass3 = _interopRequireDefault(_createClass2); - var _template2 = _interopRequireDefault(_template); + var _inherits2 = __webpack_require__(/*! babel-runtime/helpers/inherits */ "./node_modules/babel-runtime/helpers/inherits.js"); - var _events = __webpack_require__(4); + var _inherits3 = _interopRequireDefault(_inherits2); - var _events2 = _interopRequireDefault(_events); + var _ui_core_plugin = __webpack_require__(/*! ../../base/ui_core_plugin */ "./src/base/ui_core_plugin.js"); - var _error = __webpack_require__(193); + var _ui_core_plugin2 = _interopRequireDefault(_ui_core_plugin); - var _error2 = _interopRequireDefault(_error); + var _template = __webpack_require__(/*! ../../base/template */ "./src/base/template.js"); - __webpack_require__(194); + var _template2 = _interopRequireDefault(_template); - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + var _events = __webpack_require__(/*! ../../base/events */ "./src/base/events.js"); - var NoOp = function (_Playback) { - (0, _inherits3.default)(NoOp, _Playback); - (0, _createClass3.default)(NoOp, [{ - key: 'name', - get: function get() { - return 'no_op'; - } - }, { - key: 'template', - get: function get() { - return (0, _template2.default)(_error2.default); - } - }, { - key: 'attributes', - get: function get() { - return { 'data-no-op': '' }; - } - }]); + var _events2 = _interopRequireDefault(_events); - function NoOp() { - (0, _classCallCheck3.default)(this, NoOp); + var _utils = __webpack_require__(/*! ../../base/utils */ "./src/base/utils.js"); - for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) { - args[_key] = arguments[_key]; - } + var _closed_captions = __webpack_require__(/*! ./public/closed_captions.html */ "./src/plugins/closed_captions/public/closed_captions.html"); - var _this = (0, _possibleConstructorReturn3.default)(this, _Playback.call.apply(_Playback, [this].concat(args))); + var _closed_captions2 = _interopRequireDefault(_closed_captions); - _this._noiseFrameNum = -1; - return _this; - } + __webpack_require__(/*! ./public/closed_captions.scss */ "./src/plugins/closed_captions/public/closed_captions.scss"); - NoOp.prototype.render = function render() { - var playbackNotSupported = this.options.playbackNotSupportedMessage || this.i18n.t('playback_not_supported'); - this.$el.html(this.template({ message: playbackNotSupported })); - this.trigger(_events2.default.PLAYBACK_READY, this.name); - var showForNoOp = !!(this.options.poster && this.options.poster.showForNoOp); - if (this.options.autoPlay || !showForNoOp) this._animate(); + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - return this; - }; + var ClosedCaptions = function (_UICorePlugin) { + (0, _inherits3.default)(ClosedCaptions, _UICorePlugin); + (0, _createClass3.default)(ClosedCaptions, [{ + key: 'name', + get: function get() { + return 'closed_captions'; + } + }, { + key: 'template', + get: function get() { + return (0, _template2.default)(_closed_captions2.default); + } + }, { + key: 'events', + get: function get() { + return { + 'click [data-cc-button]': 'toggleContextMenu', + 'click [data-cc-select]': 'onTrackSelect' + }; + } + }, { + key: 'attributes', + get: function get() { + return { + 'class': 'cc-controls', + 'data-cc-controls': '' + }; + } + }]); - NoOp.prototype._noise = function _noise() { - this._noiseFrameNum = (this._noiseFrameNum + 1) % 5; - if (this._noiseFrameNum) { - // only update noise every 5 frames to save cpu - return; + function ClosedCaptions(core) { + (0, _classCallCheck3.default)(this, ClosedCaptions); + + var _this = (0, _possibleConstructorReturn3.default)(this, _UICorePlugin.call(this, core)); + + var config = core.options.closedCaptionsConfig; + _this._title = config && config.title ? config.title : null; + _this._ariaLabel = config && config.ariaLabel ? config.ariaLabel : 'cc-button'; + _this._labelCb = config && config.labelCallback && typeof config.labelCallback === 'function' ? config.labelCallback : function (track) { + return track.name; + }; + return _this; } - var idata = this.context.createImageData(this.context.canvas.width, this.context.canvas.height); - var buffer32 = void 0; - try { - buffer32 = new Uint32Array(idata.data.buffer); - } catch (err) { - buffer32 = new Uint32Array(this.context.canvas.width * this.context.canvas.height * 4); - var data = idata.data; - for (var i = 0; i < data.length; i++) { - buffer32[i] = data[i]; + ClosedCaptions.prototype.bindEvents = function bindEvents() { + this.listenTo(this.core, _events2.default.CORE_ACTIVE_CONTAINER_CHANGED, this.containerChanged); + this.listenTo(this.core.mediaControl, _events2.default.MEDIACONTROL_RENDERED, this.render); + this.listenTo(this.core.mediaControl, _events2.default.MEDIACONTROL_HIDE, this.hideContextMenu); + this.container = this.core.getCurrentContainer(); + if (this.container) { + this.listenTo(this.container, _events2.default.CONTAINER_SUBTITLE_AVAILABLE, this.onSubtitleAvailable); + this.listenTo(this.container, _events2.default.CONTAINER_SUBTITLE_CHANGED, this.onSubtitleChanged); + this.listenTo(this.container, _events2.default.CONTAINER_STOP, this.onContainerStop); } - } + }; - var len = buffer32.length, - m = Math.random() * 6 + 4; - var run = 0, - color = 0; - for (var _i = 0; _i < len;) { - if (run < 0) { - run = m * Math.random(); - var p = Math.pow(Math.random(), 0.4); - color = 255 * p << 24; - } - run -= 1; - buffer32[_i++] = color; - } - this.context.putImageData(idata, 0, 0); - }; + ClosedCaptions.prototype.onContainerStop = function onContainerStop() { + this.ccAvailable(false); + }; - NoOp.prototype._loop = function _loop() { - var _this2 = this; + ClosedCaptions.prototype.containerChanged = function containerChanged() { + this.ccAvailable(false); + this.stopListening(); + this.bindEvents(); + }; - if (this._stop) return; + ClosedCaptions.prototype.onSubtitleAvailable = function onSubtitleAvailable() { + this.renderCcButton(); + this.ccAvailable(true); + }; - this._noise(); - this._animationHandle = (0, _utils.requestAnimationFrame)(function () { - return _this2._loop(); - }); - }; + ClosedCaptions.prototype.onSubtitleChanged = function onSubtitleChanged(track) { + this.setCurrentContextMenuElement(track.id); + }; - NoOp.prototype.destroy = function destroy() { - if (this._animationHandle) { - (0, _utils.cancelAnimationFrame)(this._animationHandle); - this._stop = true; - } - }; + ClosedCaptions.prototype.onTrackSelect = function onTrackSelect(event) { + var trackId = parseInt(event.target.dataset.ccSelect, 10); + this.container.closedCaptionsTrackId = trackId; + this.hideContextMenu(); + event.stopPropagation(); + return false; + }; - NoOp.prototype._animate = function _animate() { - this.canvas = this.$el.find('canvas[data-no-op-canvas]')[0]; - this.context = this.canvas.getContext('2d'); - this._loop(); - }; + ClosedCaptions.prototype.ccAvailable = function ccAvailable(hasCC) { + var method = hasCC ? 'addClass' : 'removeClass'; + this.$el[method]('available'); + }; - return NoOp; - }(_playback2.default); + ClosedCaptions.prototype.toggleContextMenu = function toggleContextMenu() { + this.$el.find('ul').toggle(); + }; - exports.default = NoOp; + ClosedCaptions.prototype.hideContextMenu = function hideContextMenu() { + this.$el.find('ul').hide(); + }; + ClosedCaptions.prototype.contextMenuElement = function contextMenuElement(id) { + return this.$el.find('ul a' + (!isNaN(id) ? '[data-cc-select="' + id + '"]' : '')).parent(); + }; - NoOp.canPlay = function (source) { - // eslint-disable-line no-unused-vars - return true; - }; - module.exports = exports['default']; + ClosedCaptions.prototype.setCurrentContextMenuElement = function setCurrentContextMenuElement(trackId) { + if (this._trackId !== trackId) { + this.contextMenuElement().removeClass('current'); + this.contextMenuElement(trackId).addClass('current'); + var method = trackId > -1 ? 'addClass' : 'removeClass'; + this.$ccButton[method]('enabled'); + this._trackId = trackId; + } + }; - /***/ }), - /* 193 */ - /***/ (function(module, exports) { + ClosedCaptions.prototype.renderCcButton = function renderCcButton() { + var tracks = this.container ? this.container.closedCaptionsTracks : []; + for (var i = 0; i < tracks.length; i++) { + tracks[i].label = this._labelCb(tracks[i]); + }this.$el.html(this.template({ + ariaLabel: this._ariaLabel, + disabledLabel: this.core.i18n.t('disabled'), + title: this._title, + tracks: tracks + })); - module.exports = "<canvas data-no-op-canvas></canvas>\n<p data-no-op-msg><%=message%><p>\n"; + this.$ccButton = this.$el.find('button.cc-button[data-cc-button]'); + this.$ccButton.append(_utils.SvgIcons.cc); + this.$el.append(this.style); + }; - /***/ }), - /* 194 */ - /***/ (function(module, exports, __webpack_require__) { + ClosedCaptions.prototype.render = function render() { + this.renderCcButton(); + var $fullscreen = this.core.mediaControl.$el.find('button[data-fullscreen]'); + if ($fullscreen[0]) this.$el.insertAfter($fullscreen);else this.core.mediaControl.$el.find('.media-control-right-panel[data-media-control]').prepend(this.$el); - var content = __webpack_require__(195); + return this; + }; - if(typeof content === 'string') content = [[module.i, content, '']]; + return ClosedCaptions; + }(_ui_core_plugin2.default); - var transform; - var insertInto; + exports.default = ClosedCaptions; + module.exports = exports['default']; + /***/ }), + /***/ "./src/plugins/closed_captions/index.js": + /*!**********************************************!*\ + !*** ./src/plugins/closed_captions/index.js ***! + \**********************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - var options = {"singleton":true,"hmr":true} + "use strict"; - options.transform = transform - options.insertInto = undefined; - var update = __webpack_require__(9)(content, options); + Object.defineProperty(exports, "__esModule", { + value: true + }); - if(content.locals) module.exports = content.locals; + var _closed_captions = __webpack_require__(/*! ./closed_captions */ "./src/plugins/closed_captions/closed_captions.js"); - if(false) { - module.hot.accept("!!../../../../node_modules/css-loader/index.js!../../../../node_modules/postcss-loader/lib/index.js!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/bruno.torres/workspace/clappr/clappr/src/base/scss!./style.scss", function() { - var newContent = require("!!../../../../node_modules/css-loader/index.js!../../../../node_modules/postcss-loader/lib/index.js!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/bruno.torres/workspace/clappr/clappr/src/base/scss!./style.scss"); + var _closed_captions2 = _interopRequireDefault(_closed_captions); - if(typeof newContent === 'string') newContent = [[module.id, newContent, '']]; + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - var locals = (function(a, b) { - var key, idx = 0; + exports.default = _closed_captions2.default; + module.exports = exports['default']; - for(key in a) { - if(!b || a[key] !== b[key]) return false; - idx++; - } + /***/ }), - for(key in b) idx--; + /***/ "./src/plugins/closed_captions/public/closed_captions.html": + /*!*****************************************************************!*\ + !*** ./src/plugins/closed_captions/public/closed_captions.html ***! + \*****************************************************************/ + /*! no static exports found */ + /***/ (function(module, exports) { - return idx === 0; - }(content.locals, newContent.locals)); + module.exports = "<button type=\"button\" class=\"cc-button media-control-button media-control-icon\" data-cc-button aria-label=\"<%= ariaLabel %>\"></button>\n<ul>\n <% if (title) { %>\n <li data-title><%= title %></li>\n <% }; %>\n <li><a href=\"#\" data-cc-select=\"-1\"><%= disabledLabel %></a></li>\n <% for (var i = 0; i < tracks.length; i++) { %>\n <li><a href=\"#\" data-cc-select=\"<%= tracks[i].id %>\"><%= tracks[i].label %></a></li>\n <% }; %>\n</ul>\n"; - if(!locals) throw new Error('Aborting CSS HMR due to changed css-modules locals.'); + /***/ }), - update(newContent); - }); + /***/ "./src/plugins/closed_captions/public/closed_captions.scss": + /*!*****************************************************************!*\ + !*** ./src/plugins/closed_captions/public/closed_captions.scss ***! + \*****************************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - module.hot.dispose(function() { update(); }); - } - /***/ }), - /* 195 */ - /***/ (function(module, exports, __webpack_require__) { + var content = __webpack_require__(/*! !../../../../node_modules/css-loader!../../../../node_modules/postcss-loader/lib!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/joaopaulo/Workstation/JS/clappr/src/base/scss!./closed_captions.scss */ "./node_modules/css-loader/index.js!./node_modules/postcss-loader/lib/index.js!./node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/joaopaulo/Workstation/JS/clappr/src/base/scss!./src/plugins/closed_captions/public/closed_captions.scss"); - exports = module.exports = __webpack_require__(8)(false); -// imports + if(typeof content === 'string') content = [[module.i, content, '']]; + var transform; + var insertInto; -// module - exports.push([module.i, "[data-no-op] {\n position: absolute;\n height: 100%;\n width: 100%;\n text-align: center; }\n\n[data-no-op] p[data-no-op-msg] {\n position: absolute;\n text-align: center;\n font-size: 25px;\n left: 0;\n right: 0;\n color: white;\n padding: 10px;\n /* center vertically */\n top: 50%;\n -webkit-transform: translateY(-50%);\n transform: translateY(-50%);\n max-height: 100%;\n overflow: auto; }\n\n[data-no-op] canvas[data-no-op-canvas] {\n background-color: #777;\n height: 100%;\n width: 100%; }\n", ""]); -// exports + var options = {"singleton":true,"hmr":true} - /***/ }), - /* 196 */ - /***/ (function(module, exports, __webpack_require__) { + options.transform = transform + options.insertInto = undefined; - "use strict"; + var update = __webpack_require__(/*! ../../../../node_modules/style-loader/lib/addStyles.js */ "./node_modules/style-loader/lib/addStyles.js")(content, options); + if(content.locals) module.exports = content.locals; - Object.defineProperty(exports, "__esModule", { - value: true - }); + if(false) {} - var _classCallCheck2 = __webpack_require__(0); + /***/ }), - var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + /***/ "./src/plugins/dvr_controls/dvr_controls.js": + /*!**************************************************!*\ + !*** ./src/plugins/dvr_controls/dvr_controls.js ***! + \**************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - var _possibleConstructorReturn2 = __webpack_require__(1); + "use strict"; - var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); - var _createClass2 = __webpack_require__(3); + Object.defineProperty(exports, "__esModule", { + value: true + }); - var _createClass3 = _interopRequireDefault(_createClass2); + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); - var _inherits2 = __webpack_require__(2); + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); - var _inherits3 = _interopRequireDefault(_inherits2); + var _possibleConstructorReturn2 = __webpack_require__(/*! babel-runtime/helpers/possibleConstructorReturn */ "./node_modules/babel-runtime/helpers/possibleConstructorReturn.js"); - var _ui_container_plugin = __webpack_require__(42); + var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); - var _ui_container_plugin2 = _interopRequireDefault(_ui_container_plugin); + var _createClass2 = __webpack_require__(/*! babel-runtime/helpers/createClass */ "./node_modules/babel-runtime/helpers/createClass.js"); - var _events = __webpack_require__(4); + var _createClass3 = _interopRequireDefault(_createClass2); - var _events2 = _interopRequireDefault(_events); + var _inherits2 = __webpack_require__(/*! babel-runtime/helpers/inherits */ "./node_modules/babel-runtime/helpers/inherits.js"); - var _template = __webpack_require__(7); + var _inherits3 = _interopRequireDefault(_inherits2); - var _template2 = _interopRequireDefault(_template); + var _ui_core_plugin = __webpack_require__(/*! ../../base/ui_core_plugin */ "./src/base/ui_core_plugin.js"); - var _spinner = __webpack_require__(197); + var _ui_core_plugin2 = _interopRequireDefault(_ui_core_plugin); - var _spinner2 = _interopRequireDefault(_spinner); + var _template = __webpack_require__(/*! ../../base/template */ "./src/base/template.js"); - __webpack_require__(198); + var _template2 = _interopRequireDefault(_template); - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + var _playback = __webpack_require__(/*! ../../base/playback */ "./src/base/playback.js"); - var SpinnerThreeBouncePlugin = function (_UIContainerPlugin) { - (0, _inherits3.default)(SpinnerThreeBouncePlugin, _UIContainerPlugin); - (0, _createClass3.default)(SpinnerThreeBouncePlugin, [{ - key: 'name', - get: function get() { - return 'spinner'; - } - }, { - key: 'attributes', - get: function get() { - return { - 'data-spinner': '', - 'class': 'spinner-three-bounce' - }; - } - }]); - - function SpinnerThreeBouncePlugin(container) { - (0, _classCallCheck3.default)(this, SpinnerThreeBouncePlugin); - - var _this = (0, _possibleConstructorReturn3.default)(this, _UIContainerPlugin.call(this, container)); - - _this.template = (0, _template2.default)(_spinner2.default); - _this.showTimeout = null; - _this.listenTo(_this.container, _events2.default.CONTAINER_STATE_BUFFERING, _this.onBuffering); - _this.listenTo(_this.container, _events2.default.CONTAINER_STATE_BUFFERFULL, _this.onBufferFull); - _this.listenTo(_this.container, _events2.default.CONTAINER_STOP, _this.onStop); - _this.listenTo(_this.container, _events2.default.CONTAINER_ENDED, _this.onStop); - _this.listenTo(_this.container, _events2.default.CONTAINER_ERROR, _this.onStop); - _this.render(); - return _this; - } + var _playback2 = _interopRequireDefault(_playback); - SpinnerThreeBouncePlugin.prototype.onBuffering = function onBuffering() { - this.show(); - }; + var _events = __webpack_require__(/*! ../../base/events */ "./src/base/events.js"); - SpinnerThreeBouncePlugin.prototype.onBufferFull = function onBufferFull() { - this.hide(); - }; + var _events2 = _interopRequireDefault(_events); - SpinnerThreeBouncePlugin.prototype.onStop = function onStop() { - this.hide(); - }; + var _index = __webpack_require__(/*! ./public/index.html */ "./src/plugins/dvr_controls/public/index.html"); - SpinnerThreeBouncePlugin.prototype.show = function show() { - var _this2 = this; + var _index2 = _interopRequireDefault(_index); - if (this.showTimeout === null) this.showTimeout = setTimeout(function () { - return _this2.$el.show(); - }, 300); - }; + __webpack_require__(/*! ./public/dvr_controls.scss */ "./src/plugins/dvr_controls/public/dvr_controls.scss"); - SpinnerThreeBouncePlugin.prototype.hide = function hide() { - if (this.showTimeout !== null) { - clearTimeout(this.showTimeout); - this.showTimeout = null; - } - this.$el.hide(); - }; + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - SpinnerThreeBouncePlugin.prototype.render = function render() { - this.$el.html(this.template()); - this.container.$el.append(this.$el); - this.$el.hide(); - if (this.container.buffering) this.onBuffering(); + var DVRControls = function (_UICorePlugin) { + (0, _inherits3.default)(DVRControls, _UICorePlugin); + (0, _createClass3.default)(DVRControls, [{ + key: 'template', + get: function get() { + return (0, _template2.default)(_index2.default); + } + }, { + key: 'name', + get: function get() { + return 'dvr_controls'; + } + }, { + key: 'events', + get: function get() { + return { + 'click .live-button': 'click' + }; + } + }, { + key: 'attributes', + get: function get() { + return { + 'class': 'dvr-controls', + 'data-dvr-controls': '' + }; + } + }]); - return this; - }; + function DVRControls(core) { + (0, _classCallCheck3.default)(this, DVRControls); - return SpinnerThreeBouncePlugin; - }(_ui_container_plugin2.default); // Copyright 2014 Globo.com Player authors. All rights reserved. -// Use of this source code is governed by a BSD-style -// license that can be found in the LICENSE file. + var _this = (0, _possibleConstructorReturn3.default)(this, _UICorePlugin.call(this, core)); - exports.default = SpinnerThreeBouncePlugin; - module.exports = exports['default']; + _this.settingsUpdate(); + return _this; + } - /***/ }), - /* 197 */ - /***/ (function(module, exports) { + DVRControls.prototype.bindEvents = function bindEvents() { + this.listenTo(this.core.mediaControl, _events2.default.MEDIACONTROL_CONTAINERCHANGED, this.containerChanged); + this.listenTo(this.core.mediaControl, _events2.default.MEDIACONTROL_RENDERED, this.settingsUpdate); + this.listenTo(this.core, _events2.default.CORE_OPTIONS_CHANGE, this.render); + if (this.core.getCurrentContainer()) { + this.listenToOnce(this.core.getCurrentContainer(), _events2.default.CONTAINER_TIMEUPDATE, this.render); + this.listenTo(this.core.getCurrentContainer(), _events2.default.CONTAINER_PLAYBACKDVRSTATECHANGED, this.dvrChanged); + } + }; - module.exports = "<div data-bounce1></div><div data-bounce2></div><div data-bounce3></div>\n"; + DVRControls.prototype.containerChanged = function containerChanged() { + this.stopListening(); + this.bindEvents(); + }; - /***/ }), - /* 198 */ - /***/ (function(module, exports, __webpack_require__) { + DVRControls.prototype.dvrChanged = function dvrChanged(dvrEnabled) { + if (this.core.getPlaybackType() !== _playback2.default.LIVE) return; + this.settingsUpdate(); + this.core.mediaControl.$el.addClass('live'); + if (dvrEnabled) { + this.core.mediaControl.$el.addClass('dvr'); + this.core.mediaControl.$el.find('.media-control-indicator[data-position], .media-control-indicator[data-duration]').hide(); + } else { + this.core.mediaControl.$el.removeClass('dvr'); + } + }; + DVRControls.prototype.click = function click() { + var mediaControl = this.core.mediaControl; + var container = mediaControl.container; + if (!container.isPlaying()) container.play(); - var content = __webpack_require__(199); + if (mediaControl.$el.hasClass('dvr')) container.seek(container.getDuration()); + }; - if(typeof content === 'string') content = [[module.i, content, '']]; + DVRControls.prototype.settingsUpdate = function settingsUpdate() { + var _this2 = this; - var transform; - var insertInto; + this.stopListening(); + this.core.mediaControl.$el.removeClass('live'); + if (this.shouldRender()) { + this.render(); + this.$el.click(function () { + return _this2.click(); + }); + } + this.bindEvents(); + }; + DVRControls.prototype.shouldRender = function shouldRender() { + var useDvrControls = this.core.options.useDvrControls === undefined || !!this.core.options.useDvrControls; + return useDvrControls && this.core.getPlaybackType() === _playback2.default.LIVE; + }; + DVRControls.prototype.render = function render() { + this.$el.html(this.template({ + live: this.core.i18n.t('live'), + backToLive: this.core.i18n.t('back_to_live') + })); + if (this.shouldRender()) { + this.core.mediaControl.$el.addClass('live'); + this.core.mediaControl.$('.media-control-left-panel[data-media-control]').append(this.$el); + } + return this; + }; - var options = {"singleton":true,"hmr":true} + return DVRControls; + }(_ui_core_plugin2.default); - options.transform = transform - options.insertInto = undefined; + exports.default = DVRControls; + module.exports = exports['default']; - var update = __webpack_require__(9)(content, options); + /***/ }), - if(content.locals) module.exports = content.locals; + /***/ "./src/plugins/dvr_controls/index.js": + /*!*******************************************!*\ + !*** ./src/plugins/dvr_controls/index.js ***! + \*******************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - if(false) { - module.hot.accept("!!../../../../node_modules/css-loader/index.js!../../../../node_modules/postcss-loader/lib/index.js!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/bruno.torres/workspace/clappr/clappr/src/base/scss!./spinner.scss", function() { - var newContent = require("!!../../../../node_modules/css-loader/index.js!../../../../node_modules/postcss-loader/lib/index.js!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/bruno.torres/workspace/clappr/clappr/src/base/scss!./spinner.scss"); + "use strict"; - if(typeof newContent === 'string') newContent = [[module.id, newContent, '']]; - var locals = (function(a, b) { - var key, idx = 0; + Object.defineProperty(exports, "__esModule", { + value: true + }); - for(key in a) { - if(!b || a[key] !== b[key]) return false; - idx++; - } + var _dvr_controls = __webpack_require__(/*! ./dvr_controls */ "./src/plugins/dvr_controls/dvr_controls.js"); - for(key in b) idx--; + var _dvr_controls2 = _interopRequireDefault(_dvr_controls); - return idx === 0; - }(content.locals, newContent.locals)); + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - if(!locals) throw new Error('Aborting CSS HMR due to changed css-modules locals.'); + exports.default = _dvr_controls2.default; + module.exports = exports['default']; - update(newContent); - }); + /***/ }), - module.hot.dispose(function() { update(); }); - } + /***/ "./src/plugins/dvr_controls/public/dvr_controls.scss": + /*!***********************************************************!*\ + !*** ./src/plugins/dvr_controls/public/dvr_controls.scss ***! + \***********************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - /***/ }), - /* 199 */ - /***/ (function(module, exports, __webpack_require__) { - exports = module.exports = __webpack_require__(8)(false); -// imports + var content = __webpack_require__(/*! !../../../../node_modules/css-loader!../../../../node_modules/postcss-loader/lib!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/joaopaulo/Workstation/JS/clappr/src/base/scss!./dvr_controls.scss */ "./node_modules/css-loader/index.js!./node_modules/postcss-loader/lib/index.js!./node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/joaopaulo/Workstation/JS/clappr/src/base/scss!./src/plugins/dvr_controls/public/dvr_controls.scss"); + if(typeof content === 'string') content = [[module.i, content, '']]; -// module - exports.push([module.i, ".spinner-three-bounce[data-spinner] {\n position: absolute;\n margin: 0 auto;\n width: 70px;\n text-align: center;\n z-index: 999;\n left: 0;\n right: 0;\n margin-left: auto;\n margin-right: auto;\n /* center vertically */\n top: 50%;\n -webkit-transform: translateY(-50%);\n transform: translateY(-50%); }\n .spinner-three-bounce[data-spinner] > div {\n width: 18px;\n height: 18px;\n background-color: #FFFFFF;\n border-radius: 100%;\n display: inline-block;\n -webkit-animation: bouncedelay 1.4s infinite ease-in-out;\n animation: bouncedelay 1.4s infinite ease-in-out;\n /* Prevent first frame from flickering when animation starts */\n -webkit-animation-fill-mode: both;\n animation-fill-mode: both; }\n .spinner-three-bounce[data-spinner] [data-bounce1] {\n -webkit-animation-delay: -0.32s;\n animation-delay: -0.32s; }\n .spinner-three-bounce[data-spinner] [data-bounce2] {\n -webkit-animation-delay: -0.16s;\n animation-delay: -0.16s; }\n\n@-webkit-keyframes bouncedelay {\n 0%, 80%, 100% {\n -webkit-transform: scale(0);\n transform: scale(0); }\n 40% {\n -webkit-transform: scale(1);\n transform: scale(1); } }\n\n@keyframes bouncedelay {\n 0%, 80%, 100% {\n -webkit-transform: scale(0);\n transform: scale(0); }\n 40% {\n -webkit-transform: scale(1);\n transform: scale(1); } }\n", ""]); + var transform; + var insertInto; -// exports - /***/ }), - /* 200 */ - /***/ (function(module, exports, __webpack_require__) { + var options = {"singleton":true,"hmr":true} - "use strict"; + options.transform = transform + options.insertInto = undefined; + var update = __webpack_require__(/*! ../../../../node_modules/style-loader/lib/addStyles.js */ "./node_modules/style-loader/lib/addStyles.js")(content, options); - Object.defineProperty(exports, "__esModule", { - value: true - }); + if(content.locals) module.exports = content.locals; - var _stats = __webpack_require__(201); + if(false) {} - var _stats2 = _interopRequireDefault(_stats); + /***/ }), - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + /***/ "./src/plugins/dvr_controls/public/index.html": + /*!****************************************************!*\ + !*** ./src/plugins/dvr_controls/public/index.html ***! + \****************************************************/ + /*! no static exports found */ + /***/ (function(module, exports) { - exports.default = _stats2.default; - module.exports = exports['default']; + module.exports = "<div class=\"live-info\"><%= live %></div>\n<button type=\"button\" class=\"live-button\" aria-label=\"<%= backToLive %>\"><%= backToLive %></button>\n"; - /***/ }), - /* 201 */ - /***/ (function(module, exports, __webpack_require__) { + /***/ }), - "use strict"; + /***/ "./src/plugins/end_video.js": + /*!**********************************!*\ + !*** ./src/plugins/end_video.js ***! + \**********************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { + "use strict"; - Object.defineProperty(exports, "__esModule", { - value: true - }); - var _classCallCheck2 = __webpack_require__(0); + Object.defineProperty(exports, "__esModule", { + value: true + }); - var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); - var _possibleConstructorReturn2 = __webpack_require__(1); + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); - var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); + var _createClass2 = __webpack_require__(/*! babel-runtime/helpers/createClass */ "./node_modules/babel-runtime/helpers/createClass.js"); - var _createClass2 = __webpack_require__(3); + var _createClass3 = _interopRequireDefault(_createClass2); - var _createClass3 = _interopRequireDefault(_createClass2); + var _possibleConstructorReturn2 = __webpack_require__(/*! babel-runtime/helpers/possibleConstructorReturn */ "./node_modules/babel-runtime/helpers/possibleConstructorReturn.js"); - var _inherits2 = __webpack_require__(2); + var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); - var _inherits3 = _interopRequireDefault(_inherits2); + var _inherits2 = __webpack_require__(/*! babel-runtime/helpers/inherits */ "./node_modules/babel-runtime/helpers/inherits.js"); - var _container_plugin = __webpack_require__(43); + var _inherits3 = _interopRequireDefault(_inherits2); - var _container_plugin2 = _interopRequireDefault(_container_plugin); + var _events = __webpack_require__(/*! ../base/events */ "./src/base/events.js"); - var _events = __webpack_require__(4); + var _events2 = _interopRequireDefault(_events); - var _events2 = _interopRequireDefault(_events); + var _core_plugin = __webpack_require__(/*! ../base/core_plugin */ "./src/base/core_plugin.js"); - var _clapprZepto = __webpack_require__(6); + var _core_plugin2 = _interopRequireDefault(_core_plugin); - var _clapprZepto2 = _interopRequireDefault(_clapprZepto); + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + var EndVideo = function (_CorePlugin) { + (0, _inherits3.default)(EndVideo, _CorePlugin); - var StatsPlugin = function (_ContainerPlugin) { - (0, _inherits3.default)(StatsPlugin, _ContainerPlugin); - (0, _createClass3.default)(StatsPlugin, [{ - key: 'name', - get: function get() { - return 'stats'; + function EndVideo() { + (0, _classCallCheck3.default)(this, EndVideo); + return (0, _possibleConstructorReturn3.default)(this, _CorePlugin.apply(this, arguments)); } - }]); - function StatsPlugin(container) { - (0, _classCallCheck3.default)(this, StatsPlugin); + EndVideo.prototype.bindEvents = function bindEvents() { + this.listenTo(this.core, _events2.default.CORE_ACTIVE_CONTAINER_CHANGED, this.containerChanged); + var container = this.core.activeContainer; + if (container) { + this.listenTo(container, _events2.default.CONTAINER_ENDED, this.ended); + this.listenTo(container, _events2.default.CONTAINER_STOP, this.ended); + } + }; - var _this = (0, _possibleConstructorReturn3.default)(this, _ContainerPlugin.call(this, container)); + EndVideo.prototype.containerChanged = function containerChanged() { + this.stopListening(); + this.bindEvents(); + }; - _this.setInitialAttrs(); - _this.reportInterval = _this.options.reportInterval || 5000; - _this.state = 'IDLE'; - return _this; - } + EndVideo.prototype.ended = function ended() { + var exitOnEnd = typeof this.core.options.exitFullscreenOnEnd === 'undefined' || this.core.options.exitFullscreenOnEnd; + if (exitOnEnd && this.core.isFullscreen()) this.core.toggleFullscreen(); + }; - StatsPlugin.prototype.bindEvents = function bindEvents() { - this.listenTo(this.container.playback, _events2.default.PLAYBACK_PLAY, this.onPlay); - this.listenTo(this.container, _events2.default.CONTAINER_STOP, this.onStop); - this.listenTo(this.container, _events2.default.CONTAINER_ENDED, this.onStop); - this.listenTo(this.container, _events2.default.CONTAINER_DESTROYED, this.onStop); - this.listenTo(this.container, _events2.default.CONTAINER_STATE_BUFFERING, this.onBuffering); - this.listenTo(this.container, _events2.default.CONTAINER_STATE_BUFFERFULL, this.onBufferFull); - this.listenTo(this.container, _events2.default.CONTAINER_STATS_ADD, this.onStatsAdd); - this.listenTo(this.container, _events2.default.CONTAINER_BITRATE, this.onStatsAdd); - this.listenTo(this.container.playback, _events2.default.PLAYBACK_STATS_ADD, this.onStatsAdd); - }; + (0, _createClass3.default)(EndVideo, [{ + key: 'name', + get: function get() { + return 'end_video'; + } + }]); + return EndVideo; + }(_core_plugin2.default); - StatsPlugin.prototype.setInitialAttrs = function setInitialAttrs() { - this.firstPlay = true; - this.startupTime = 0; - this.rebufferingTime = 0; - this.watchingTime = 0; - this.rebuffers = 0; - this.externalMetrics = {}; - }; + exports.default = EndVideo; + module.exports = exports['default']; - StatsPlugin.prototype.onPlay = function onPlay() { - this.state = 'PLAYING'; - this.watchingTimeInit = Date.now(); - if (!this.intervalId) this.intervalId = setInterval(this.report.bind(this), this.reportInterval); - }; + /***/ }), - StatsPlugin.prototype.onStop = function onStop() { - clearInterval(this.intervalId); - this.report(); - this.intervalId = undefined; - this.state = 'STOPPED'; - }; + /***/ "./src/plugins/error_screen/error_screen.js": + /*!**************************************************!*\ + !*** ./src/plugins/error_screen/error_screen.js ***! + \**************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - StatsPlugin.prototype.onBuffering = function onBuffering() { - if (this.firstPlay) this.startupTimeInit = Date.now();else this.rebufferingTimeInit = Date.now(); + "use strict"; - this.state = 'BUFFERING'; - this.rebuffers++; - }; - StatsPlugin.prototype.onBufferFull = function onBufferFull() { - if (this.firstPlay && this.startupTimeInit) { - this.firstPlay = false; - this.startupTime = Date.now() - this.startupTimeInit; - this.watchingTimeInit = Date.now(); - } else if (this.rebufferingTimeInit) { - this.rebufferingTime += this.getRebufferingTime(); - } + Object.defineProperty(exports, "__esModule", { + value: true + }); - this.rebufferingTimeInit = undefined; - this.state = 'PLAYING'; - }; + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); - StatsPlugin.prototype.getRebufferingTime = function getRebufferingTime() { - return Date.now() - this.rebufferingTimeInit; - }; + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); - StatsPlugin.prototype.getWatchingTime = function getWatchingTime() { - var totalTime = Date.now() - this.watchingTimeInit; - return totalTime - this.rebufferingTime; - }; + var _possibleConstructorReturn2 = __webpack_require__(/*! babel-runtime/helpers/possibleConstructorReturn */ "./node_modules/babel-runtime/helpers/possibleConstructorReturn.js"); - StatsPlugin.prototype.isRebuffering = function isRebuffering() { - return !!this.rebufferingTimeInit; - }; + var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); - StatsPlugin.prototype.onStatsAdd = function onStatsAdd(metric) { - _clapprZepto2.default.extend(this.externalMetrics, metric); - }; + var _createClass2 = __webpack_require__(/*! babel-runtime/helpers/createClass */ "./node_modules/babel-runtime/helpers/createClass.js"); - StatsPlugin.prototype.getStats = function getStats() { - var metrics = { - startupTime: this.startupTime, - rebuffers: this.rebuffers, - rebufferingTime: this.isRebuffering() ? this.rebufferingTime + this.getRebufferingTime() : this.rebufferingTime, - watchingTime: this.isRebuffering() ? this.getWatchingTime() - this.getRebufferingTime() : this.getWatchingTime() - }; - _clapprZepto2.default.extend(metrics, this.externalMetrics); - return metrics; - }; + var _createClass3 = _interopRequireDefault(_createClass2); - StatsPlugin.prototype.report = function report() { - this.container.statsReport(this.getStats()); - }; + var _inherits2 = __webpack_require__(/*! babel-runtime/helpers/inherits */ "./node_modules/babel-runtime/helpers/inherits.js"); - return StatsPlugin; - }(_container_plugin2.default); // Copyright 2014 Globo.com Player authors. All rights reserved. -// Use of this source code is governed by a BSD-style -// license that can be found in the LICENSE file. + var _inherits3 = _interopRequireDefault(_inherits2); - exports.default = StatsPlugin; - module.exports = exports['default']; + var _events = __webpack_require__(/*! ../../base/events */ "./src/base/events.js"); - /***/ }), - /* 202 */ - /***/ (function(module, exports, __webpack_require__) { + var _events2 = _interopRequireDefault(_events); - "use strict"; + var _ui_core_plugin = __webpack_require__(/*! ../../base/ui_core_plugin */ "./src/base/ui_core_plugin.js"); + var _ui_core_plugin2 = _interopRequireDefault(_ui_core_plugin); - Object.defineProperty(exports, "__esModule", { - value: true - }); + var _template = __webpack_require__(/*! ../../base/template */ "./src/base/template.js"); - var _classCallCheck2 = __webpack_require__(0); + var _template2 = _interopRequireDefault(_template); - var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + var _error = __webpack_require__(/*! ../../components/error/ */ "./src/components/error/index.js"); - var _possibleConstructorReturn2 = __webpack_require__(1); + var _error2 = _interopRequireDefault(_error); - var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); + var _utils = __webpack_require__(/*! ../../base/utils */ "./src/base/utils.js"); - var _createClass2 = __webpack_require__(3); + var _error_screen = __webpack_require__(/*! ./public/error_screen.html */ "./src/plugins/error_screen/public/error_screen.html"); - var _createClass3 = _interopRequireDefault(_createClass2); + var _error_screen2 = _interopRequireDefault(_error_screen); - var _inherits2 = __webpack_require__(2); + __webpack_require__(/*! ./public/error_screen.scss */ "./src/plugins/error_screen/public/error_screen.scss"); - var _inherits3 = _interopRequireDefault(_inherits2); + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - var _ui_container_plugin = __webpack_require__(42); + var ErrorScreen = function (_UICorePlugin) { + (0, _inherits3.default)(ErrorScreen, _UICorePlugin); + (0, _createClass3.default)(ErrorScreen, [{ + key: 'name', + get: function get() { + return 'error_screen'; + } + }, { + key: 'template', + get: function get() { + return (0, _template2.default)(_error_screen2.default); + } + }, { + key: 'container', + get: function get() { + return this.core.getCurrentContainer(); + } + }, { + key: 'attributes', + get: function get() { + return { + 'class': 'player-error-screen', + 'data-error-screen': '' + }; + } + }]); - var _ui_container_plugin2 = _interopRequireDefault(_ui_container_plugin); + function ErrorScreen(core) { + var _ret; - var _events = __webpack_require__(4); + (0, _classCallCheck3.default)(this, ErrorScreen); - var _events2 = _interopRequireDefault(_events); + var _this = (0, _possibleConstructorReturn3.default)(this, _UICorePlugin.call(this, core)); - var _template = __webpack_require__(7); + if (_this.options.disableErrorScreen) return _ret = _this.disable(), (0, _possibleConstructorReturn3.default)(_this, _ret); + return _this; + } - var _template2 = _interopRequireDefault(_template); + ErrorScreen.prototype.bindEvents = function bindEvents() { + this.listenTo(this.core, _events2.default.ERROR, this.onError); + this.listenTo(this.core, _events2.default.CORE_ACTIVE_CONTAINER_CHANGED, this.onContainerChanged); + }; - var _watermark = __webpack_require__(203); + ErrorScreen.prototype.bindReload = function bindReload() { + this.reloadButton = this.$el.find('.player-error-screen__reload'); + this.reloadButton && this.reloadButton.on('click', this.reload.bind(this)); + }; - var _watermark2 = _interopRequireDefault(_watermark); + ErrorScreen.prototype.reload = function reload() { + var _this2 = this; - __webpack_require__(204); + this.listenToOnce(this.core, _events2.default.CORE_READY, function () { + return _this2.container.play(); + }); + this.core.load(this.options.sources, this.options.mimeType); + this.unbindReload(); + }; - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + ErrorScreen.prototype.unbindReload = function unbindReload() { + this.reloadButton && this.reloadButton.off('click'); + }; - var WaterMarkPlugin = function (_UIContainerPlugin) { - (0, _inherits3.default)(WaterMarkPlugin, _UIContainerPlugin); - (0, _createClass3.default)(WaterMarkPlugin, [{ - key: 'name', - get: function get() { - return 'watermark'; - } - }, { - key: 'template', - get: function get() { - return (0, _template2.default)(_watermark2.default); - } - }]); + ErrorScreen.prototype.onContainerChanged = function onContainerChanged() { + this.err = null; + this.unbindReload(); + this.hide(); + }; - function WaterMarkPlugin(container) { - (0, _classCallCheck3.default)(this, WaterMarkPlugin); + ErrorScreen.prototype.onError = function onError() { + var err = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {}; - var _this = (0, _possibleConstructorReturn3.default)(this, _UIContainerPlugin.call(this, container)); + if (err.level === _error2.default.Levels.FATAL) { + this.err = err; + this.container.disableMediaControl(); + this.container.stop(); + this.show(); + } + }; - _this.configure(); - return _this; - } + ErrorScreen.prototype.show = function show() { + this.render(); + this.$el.show(); + }; - WaterMarkPlugin.prototype.bindEvents = function bindEvents() { - this.listenTo(this.container, _events2.default.CONTAINER_PLAY, this.onPlay); - this.listenTo(this.container, _events2.default.CONTAINER_STOP, this.onStop); - this.listenTo(this.container, _events2.default.CONTAINER_OPTIONS_CHANGE, this.configure); - }; + ErrorScreen.prototype.hide = function hide() { + this.$el.hide(); + }; - WaterMarkPlugin.prototype.configure = function configure() { - this.position = this.options.position || 'bottom-right'; - if (this.options.watermark) { - this.imageUrl = this.options.watermark; - this.imageLink = this.options.watermarkLink; - this.render(); - } else { - this.$el.remove(); - } - }; + ErrorScreen.prototype.render = function render() { + if (!this.err) return; - WaterMarkPlugin.prototype.onPlay = function onPlay() { - if (!this.hidden) this.$el.show(); - }; + this.$el.html(this.template({ + title: this.err.UI.title, + message: this.err.UI.message, + code: this.err.code, + icon: this.err.UI.icon || '', + reloadIcon: _utils.SvgIcons.reload + })); - WaterMarkPlugin.prototype.onStop = function onStop() { - this.$el.hide(); - }; + this.core.$el.append(this.el); - WaterMarkPlugin.prototype.render = function render() { - this.$el.hide(); - var templateOptions = { position: this.position, imageUrl: this.imageUrl, imageLink: this.imageLink }; - this.$el.html(this.template(templateOptions)); - this.container.$el.append(this.$el); - return this; - }; + this.bindReload(); - return WaterMarkPlugin; - }(_ui_container_plugin2.default); // Copyright 2014 Globo.com Player authors. All rights reserved. -// Use of this source code is governed by a BSD-style -// license that can be found in the LICENSE file. + return this; + }; - exports.default = WaterMarkPlugin; - module.exports = exports['default']; + return ErrorScreen; + }(_ui_core_plugin2.default); - /***/ }), - /* 203 */ - /***/ (function(module, exports) { + exports.default = ErrorScreen; + module.exports = exports['default']; - module.exports = "<div data-watermark data-watermark-<%=position %>>\n<% if(typeof imageLink !== 'undefined') { %>\n<a target=_blank href=\"<%= imageLink %>\">\n<% } %>\n<img src=\"<%= imageUrl %>\">\n<% if(typeof imageLink !== 'undefined') { %>\n</a>\n<% } %>\n</div>\n"; + /***/ }), - /***/ }), - /* 204 */ - /***/ (function(module, exports, __webpack_require__) { + /***/ "./src/plugins/error_screen/index.js": + /*!*******************************************!*\ + !*** ./src/plugins/error_screen/index.js ***! + \*******************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { + "use strict"; - var content = __webpack_require__(205); - if(typeof content === 'string') content = [[module.i, content, '']]; + Object.defineProperty(exports, "__esModule", { + value: true + }); - var transform; - var insertInto; + var _error_screen = __webpack_require__(/*! ./error_screen */ "./src/plugins/error_screen/error_screen.js"); + var _error_screen2 = _interopRequireDefault(_error_screen); + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - var options = {"singleton":true,"hmr":true} + exports.default = _error_screen2.default; + module.exports = exports['default']; - options.transform = transform - options.insertInto = undefined; + /***/ }), - var update = __webpack_require__(9)(content, options); + /***/ "./src/plugins/error_screen/public/error_screen.html": + /*!***********************************************************!*\ + !*** ./src/plugins/error_screen/public/error_screen.html ***! + \***********************************************************/ + /*! no static exports found */ + /***/ (function(module, exports) { - if(content.locals) module.exports = content.locals; + module.exports = "<div class=\"player-error-screen__content\" data-error-screen>\n <% if (icon) { %>\n <div class=\"player-error-screen__icon\" data-error-screen><%= icon %></div>\n <% } %>\n <div class=\"player-error-screen__title\" data-error-screen><%= title %></div>\n <div class=\"player-error-screen__message\" data-error-screen><%= message %></div>\n <div class=\"player-error-screen__code\" data-error-screen>Error code: <%= code %></div>\n <div class=\"player-error-screen__reload\" data-error-screen><%= reloadIcon %></div>\n</div>\n"; - if(false) { - module.hot.accept("!!../../../../node_modules/css-loader/index.js!../../../../node_modules/postcss-loader/lib/index.js!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/bruno.torres/workspace/clappr/clappr/src/base/scss!./watermark.scss", function() { - var newContent = require("!!../../../../node_modules/css-loader/index.js!../../../../node_modules/postcss-loader/lib/index.js!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/bruno.torres/workspace/clappr/clappr/src/base/scss!./watermark.scss"); + /***/ }), - if(typeof newContent === 'string') newContent = [[module.id, newContent, '']]; + /***/ "./src/plugins/error_screen/public/error_screen.scss": + /*!***********************************************************!*\ + !*** ./src/plugins/error_screen/public/error_screen.scss ***! + \***********************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - var locals = (function(a, b) { - var key, idx = 0; - for(key in a) { - if(!b || a[key] !== b[key]) return false; - idx++; - } + var content = __webpack_require__(/*! !../../../../node_modules/css-loader!../../../../node_modules/postcss-loader/lib!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/joaopaulo/Workstation/JS/clappr/src/base/scss!./error_screen.scss */ "./node_modules/css-loader/index.js!./node_modules/postcss-loader/lib/index.js!./node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/joaopaulo/Workstation/JS/clappr/src/base/scss!./src/plugins/error_screen/public/error_screen.scss"); - for(key in b) idx--; + if(typeof content === 'string') content = [[module.i, content, '']]; - return idx === 0; - }(content.locals, newContent.locals)); + var transform; + var insertInto; - if(!locals) throw new Error('Aborting CSS HMR due to changed css-modules locals.'); - update(newContent); - }); - module.hot.dispose(function() { update(); }); - } + var options = {"singleton":true,"hmr":true} - /***/ }), - /* 205 */ - /***/ (function(module, exports, __webpack_require__) { + options.transform = transform + options.insertInto = undefined; - exports = module.exports = __webpack_require__(8)(false); -// imports + var update = __webpack_require__(/*! ../../../../node_modules/style-loader/lib/addStyles.js */ "./node_modules/style-loader/lib/addStyles.js")(content, options); + if(content.locals) module.exports = content.locals; -// module - exports.push([module.i, "[data-watermark] {\n position: absolute;\n min-width: 70px;\n max-width: 200px;\n width: 12%;\n text-align: center;\n z-index: 10; }\n\n[data-watermark] a {\n outline: none;\n cursor: pointer; }\n\n[data-watermark] img {\n max-width: 100%; }\n\n[data-watermark-bottom-left] {\n bottom: 10px;\n left: 10px; }\n\n[data-watermark-bottom-right] {\n bottom: 10px;\n right: 42px; }\n\n[data-watermark-top-left] {\n top: 10px;\n left: 10px; }\n\n[data-watermark-top-right] {\n top: 10px;\n right: 37px; }\n", ""]); + if(false) {} -// exports + /***/ }), + /***/ "./src/plugins/favicon/favicon.js": + /*!****************************************!*\ + !*** ./src/plugins/favicon/favicon.js ***! + \****************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - /***/ }), - /* 206 */ - /***/ (function(module, exports, __webpack_require__) { + "use strict"; - "use strict"; - /* WEBPACK VAR INJECTION */(function(process) { Object.defineProperty(exports, "__esModule", { value: true }); - var _classCallCheck2 = __webpack_require__(0); + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); - var _possibleConstructorReturn2 = __webpack_require__(1); + var _possibleConstructorReturn2 = __webpack_require__(/*! babel-runtime/helpers/possibleConstructorReturn */ "./node_modules/babel-runtime/helpers/possibleConstructorReturn.js"); var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); - var _createClass2 = __webpack_require__(3); + var _createClass2 = __webpack_require__(/*! babel-runtime/helpers/createClass */ "./node_modules/babel-runtime/helpers/createClass.js"); var _createClass3 = _interopRequireDefault(_createClass2); - var _inherits2 = __webpack_require__(2); + var _inherits2 = __webpack_require__(/*! babel-runtime/helpers/inherits */ "./node_modules/babel-runtime/helpers/inherits.js"); var _inherits3 = _interopRequireDefault(_inherits2); - var _ui_container_plugin = __webpack_require__(42); + var _core_plugin = __webpack_require__(/*! ../../base/core_plugin */ "./src/base/core_plugin.js"); - var _ui_container_plugin2 = _interopRequireDefault(_ui_container_plugin); + var _core_plugin2 = _interopRequireDefault(_core_plugin); - var _events = __webpack_require__(4); + var _events = __webpack_require__(/*! ../../base/events */ "./src/base/events.js"); var _events2 = _interopRequireDefault(_events); - var _template = __webpack_require__(7); - - var _template2 = _interopRequireDefault(_template); - - var _playback = __webpack_require__(10); - - var _playback2 = _interopRequireDefault(_playback); - - var _error = __webpack_require__(79); - - var _error2 = _interopRequireDefault(_error); - - var _poster = __webpack_require__(207); + var _clapprZepto = __webpack_require__(/*! clappr-zepto */ "./node_modules/clappr-zepto/zepto.js"); - var _poster2 = _interopRequireDefault(_poster); - - var _play = __webpack_require__(64); - - var _play2 = _interopRequireDefault(_play); + var _clapprZepto2 = _interopRequireDefault(_clapprZepto); - __webpack_require__(208); + var _utils = __webpack_require__(/*! ../../base/utils */ "./src/base/utils.js"); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } -//Copyright 2014 Globo.com Player authors. All rights reserved. -// Use of this source code is governed by a BSD-style -// license that can be found in the LICENSE file. + var oldIcon = (0, _clapprZepto2.default)('link[rel="shortcut icon"]'); - var PosterPlugin = function (_UIContainerPlugin) { - (0, _inherits3.default)(PosterPlugin, _UIContainerPlugin); - (0, _createClass3.default)(PosterPlugin, [{ + var Favicon = function (_CorePlugin) { + (0, _inherits3.default)(Favicon, _CorePlugin); + (0, _createClass3.default)(Favicon, [{ key: 'name', get: function get() { - return 'poster'; - } - }, { - key: 'template', - get: function get() { - return (0, _template2.default)(_poster2.default); - } - }, { - key: 'shouldRender', - get: function get() { - var showForNoOp = !!(this.options.poster && this.options.poster.showForNoOp); - return this.container.playback.name !== 'html_img' && (this.container.playback.getPlaybackType() !== _playback2.default.NO_OP || showForNoOp); - } - }, { - key: 'attributes', - get: function get() { - return { - 'class': 'player-poster', - 'data-poster': '' - }; - } - }, { - key: 'events', - get: function get() { - return { - 'click': 'clicked' - }; + return 'favicon'; } }, { - key: 'showOnVideoEnd', + key: 'oldIcon', get: function get() { - return !this.options.poster || this.options.poster.showOnVideoEnd || this.options.poster.showOnVideoEnd === undefined; + return oldIcon; } }]); - function PosterPlugin(container) { - (0, _classCallCheck3.default)(this, PosterPlugin); + function Favicon(core) { + (0, _classCallCheck3.default)(this, Favicon); - var _this = (0, _possibleConstructorReturn3.default)(this, _UIContainerPlugin.call(this, container)); + var _this = (0, _possibleConstructorReturn3.default)(this, _CorePlugin.call(this, core)); - _this.hasStartedPlaying = false; - _this.playRequested = false; - _this.render(); - process.nextTick(function () { - return _this.update(); - }); + _this._container = null; + _this.configure(); return _this; } - PosterPlugin.prototype.bindEvents = function bindEvents() { - this.listenTo(this.container, _events2.default.CONTAINER_STOP, this.onStop); - this.listenTo(this.container, _events2.default.CONTAINER_PLAY, this.onPlay); - this.listenTo(this.container, _events2.default.CONTAINER_STATE_BUFFERING, this.update); - this.listenTo(this.container, _events2.default.CONTAINER_STATE_BUFFERFULL, this.update); - this.listenTo(this.container, _events2.default.CONTAINER_OPTIONS_CHANGE, this.render); - this.listenTo(this.container, _events2.default.CONTAINER_ERROR, this.onError); - this.showOnVideoEnd && this.listenTo(this.container, _events2.default.CONTAINER_ENDED, this.onStop); - }; - - PosterPlugin.prototype.onError = function onError(error) { - this.hasFatalError = error.level === _error2.default.Levels.FATAL; - - if (this.hasFatalError) { - this.hasStartedPlaying = false; - this.playRequested = false; - this.showPlayButton(); + Favicon.prototype.configure = function configure() { + if (this.core.options.changeFavicon) { + if (!this.enabled) { + this.stopListening(this.core, _events2.default.CORE_OPTIONS_CHANGE); + this.enable(); + } + } else if (this.enabled) { + this.disable(); + this.listenTo(this.core, _events2.default.CORE_OPTIONS_CHANGE, this.configure); } }; - PosterPlugin.prototype.onPlay = function onPlay() { - this.hasStartedPlaying = true; - this.update(); - }; - - PosterPlugin.prototype.onStop = function onStop() { - this.hasStartedPlaying = false; - this.playRequested = false; - this.update(); - }; - - PosterPlugin.prototype.updatePlayButton = function updatePlayButton(show) { - if (show && (!this.options.chromeless || this.options.allowUserInteraction)) this.showPlayButton();else this.hidePlayButton(); + Favicon.prototype.bindEvents = function bindEvents() { + this.listenTo(this.core, _events2.default.CORE_OPTIONS_CHANGE, this.configure); + this.listenTo(this.core, _events2.default.CORE_ACTIVE_CONTAINER_CHANGED, this.containerChanged); + this.core.activeContainer && this.containerChanged(); }; - PosterPlugin.prototype.showPlayButton = function showPlayButton() { - if (this.hasFatalError && !this.options.disableErrorScreen) return; - - this.$playButton.show(); - this.$el.addClass('clickable'); + Favicon.prototype.containerChanged = function containerChanged() { + this._container && this.stopListening(this._container); + this._container = this.core.activeContainer; + this.listenTo(this._container, _events2.default.CONTAINER_PLAY, this.setPlayIcon); + this.listenTo(this._container, _events2.default.CONTAINER_PAUSE, this.setPauseIcon); + this.listenTo(this._container, _events2.default.CONTAINER_STOP, this.resetIcon); + this.listenTo(this._container, _events2.default.CONTAINER_ENDED, this.resetIcon); + this.listenTo(this._container, _events2.default.CONTAINER_ERROR, this.resetIcon); + this.resetIcon(); }; - PosterPlugin.prototype.hidePlayButton = function hidePlayButton() { - this.$playButton.hide(); - this.$el.removeClass('clickable'); + Favicon.prototype.disable = function disable() { + _CorePlugin.prototype.disable.call(this); + this.resetIcon(); }; - PosterPlugin.prototype.clicked = function clicked() { - if (!this.options.chromeless || this.options.allowUserInteraction) { - this.playRequested = true; - this.update(); - this.container.play(); - } - return false; + Favicon.prototype.destroy = function destroy() { + _CorePlugin.prototype.destroy.call(this); + this.resetIcon(); }; - PosterPlugin.prototype.shouldHideOnPlay = function shouldHideOnPlay() { - // Audio broadcasts should keep the poster up; video should hide poster while playing. - return !this.container.playback.isAudioOnly; + Favicon.prototype.createIcon = function createIcon(svg) { + var canvas = (0, _clapprZepto2.default)('<canvas/>'); + canvas[0].width = 16; + canvas[0].height = 16; + var ctx = canvas[0].getContext('2d'); + ctx.fillStyle = '#000'; + var d = (0, _clapprZepto2.default)(svg).find('path').attr('d'); + var path = new Path2D(d); + ctx.fill(path); + var icon = (0, _clapprZepto2.default)('<link rel="shortcut icon" type="image/png"/>'); + icon.attr('href', canvas[0].toDataURL('image/png')); + return icon; }; - PosterPlugin.prototype.update = function update() { - if (!this.shouldRender) return; + Favicon.prototype.setPlayIcon = function setPlayIcon() { + if (!this.playIcon) this.playIcon = this.createIcon(_utils.SvgIcons.play); - var showPlayButton = !this.playRequested && !this.hasStartedPlaying && !this.container.buffering; - this.updatePlayButton(showPlayButton); - this.updatePoster(); + this.changeIcon(this.playIcon); }; - PosterPlugin.prototype.updatePoster = function updatePoster() { - if (!this.hasStartedPlaying) this.showPoster();else this.hidePoster(); - }; + Favicon.prototype.setPauseIcon = function setPauseIcon() { + if (!this.pauseIcon) this.pauseIcon = this.createIcon(_utils.SvgIcons.pause); - PosterPlugin.prototype.showPoster = function showPoster() { - this.container.disableMediaControl(); - this.$el.show(); + this.changeIcon(this.pauseIcon); }; - PosterPlugin.prototype.hidePoster = function hidePoster() { - this.container.enableMediaControl(); - if (this.shouldHideOnPlay()) this.$el.hide(); + Favicon.prototype.resetIcon = function resetIcon() { + (0, _clapprZepto2.default)('link[rel="shortcut icon"]').remove(); + (0, _clapprZepto2.default)('head').append(this.oldIcon); }; - PosterPlugin.prototype.render = function render() { - if (!this.shouldRender) return; - - this.$el.html(this.template()); - - var isRegularPoster = this.options.poster && this.options.poster.custom === undefined; - - if (isRegularPoster) { - var posterUrl = this.options.poster.url || this.options.poster; - this.$el.css({ 'background-image': 'url(' + posterUrl + ')' }); - } else if (this.options.poster) { - this.$el.css({ 'background': this.options.poster.custom }); - } - - this.container.$el.append(this.el); - this.$playWrapper = this.$el.find('.play-wrapper'); - this.$playWrapper.append(_play2.default); - this.$playButton = this.$playWrapper.find('svg'); - this.$playButton.addClass('poster-icon'); - this.$playButton.attr('data-poster', ''); - - var buttonsColor = this.options.mediacontrol && this.options.mediacontrol.buttons; - if (buttonsColor) this.$el.find('svg path').css('fill', buttonsColor); - - if (this.options.mediacontrol && this.options.mediacontrol.buttons) { - buttonsColor = this.options.mediacontrol.buttons; - this.$playButton.css('color', buttonsColor); + Favicon.prototype.changeIcon = function changeIcon(icon) { + if (icon) { + (0, _clapprZepto2.default)('link[rel="shortcut icon"]').remove(); + (0, _clapprZepto2.default)('head').append(icon); } - this.update(); - return this; }; - return PosterPlugin; - }(_ui_container_plugin2.default); + return Favicon; + }(_core_plugin2.default); - exports.default = PosterPlugin; + exports.default = Favicon; module.exports = exports['default']; - /* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(62))) - - /***/ }), - /* 207 */ - /***/ (function(module, exports) { - module.exports = "<div class=\"play-wrapper\" data-poster></div>\n"; + /***/ }), - /***/ }), - /* 208 */ - /***/ (function(module, exports, __webpack_require__) { + /***/ "./src/plugins/favicon/index.js": + /*!**************************************!*\ + !*** ./src/plugins/favicon/index.js ***! + \**************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { + "use strict"; - var content = __webpack_require__(209); - if(typeof content === 'string') content = [[module.i, content, '']]; + Object.defineProperty(exports, "__esModule", { + value: true + }); - var transform; - var insertInto; + var _favicon = __webpack_require__(/*! ./favicon.js */ "./src/plugins/favicon/favicon.js"); + var _favicon2 = _interopRequireDefault(_favicon); + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - var options = {"singleton":true,"hmr":true} + exports.default = _favicon2.default; + module.exports = exports['default']; - options.transform = transform - options.insertInto = undefined; + /***/ }), - var update = __webpack_require__(9)(content, options); + /***/ "./src/plugins/google_analytics/google_analytics.js": + /*!**********************************************************!*\ + !*** ./src/plugins/google_analytics/google_analytics.js ***! + \**********************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - if(content.locals) module.exports = content.locals; + "use strict"; - if(false) { - module.hot.accept("!!../../../../node_modules/css-loader/index.js!../../../../node_modules/postcss-loader/lib/index.js!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/bruno.torres/workspace/clappr/clappr/src/base/scss!./poster.scss", function() { - var newContent = require("!!../../../../node_modules/css-loader/index.js!../../../../node_modules/postcss-loader/lib/index.js!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/bruno.torres/workspace/clappr/clappr/src/base/scss!./poster.scss"); - if(typeof newContent === 'string') newContent = [[module.id, newContent, '']]; + Object.defineProperty(exports, "__esModule", { + value: true + }); - var locals = (function(a, b) { - var key, idx = 0; + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); - for(key in a) { - if(!b || a[key] !== b[key]) return false; - idx++; - } + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); - for(key in b) idx--; + var _possibleConstructorReturn2 = __webpack_require__(/*! babel-runtime/helpers/possibleConstructorReturn */ "./node_modules/babel-runtime/helpers/possibleConstructorReturn.js"); - return idx === 0; - }(content.locals, newContent.locals)); + var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); - if(!locals) throw new Error('Aborting CSS HMR due to changed css-modules locals.'); + var _createClass2 = __webpack_require__(/*! babel-runtime/helpers/createClass */ "./node_modules/babel-runtime/helpers/createClass.js"); - update(newContent); - }); + var _createClass3 = _interopRequireDefault(_createClass2); - module.hot.dispose(function() { update(); }); - } + var _inherits2 = __webpack_require__(/*! babel-runtime/helpers/inherits */ "./node_modules/babel-runtime/helpers/inherits.js"); - /***/ }), - /* 209 */ - /***/ (function(module, exports, __webpack_require__) { + var _inherits3 = _interopRequireDefault(_inherits2); - exports = module.exports = __webpack_require__(8)(false); -// imports + var _container_plugin = __webpack_require__(/*! ../../base/container_plugin */ "./src/base/container_plugin.js"); + var _container_plugin2 = _interopRequireDefault(_container_plugin); -// module - exports.push([module.i, ".player-poster[data-poster] {\n display: -webkit-box;\n display: -ms-flexbox;\n display: flex;\n -webkit-box-pack: center;\n -ms-flex-pack: center;\n justify-content: center;\n -webkit-box-align: center;\n -ms-flex-align: center;\n align-items: center;\n position: absolute;\n height: 100%;\n width: 100%;\n z-index: 998;\n top: 0;\n left: 0;\n background-color: #000;\n background-size: cover;\n background-repeat: no-repeat;\n background-position: 50% 50%; }\n .player-poster[data-poster].clickable {\n cursor: pointer; }\n .player-poster[data-poster]:hover .play-wrapper[data-poster] {\n opacity: 1; }\n .player-poster[data-poster] .play-wrapper[data-poster] {\n width: 100%;\n height: 25%;\n margin: 0 auto;\n opacity: 0.75;\n transition: opacity 0.1s ease; }\n .player-poster[data-poster] .play-wrapper[data-poster] svg {\n height: 100%; }\n .player-poster[data-poster] .play-wrapper[data-poster] svg path {\n fill: #fff; }\n", ""]); + var _events = __webpack_require__(/*! ../../base/events */ "./src/base/events.js"); -// exports + var _events2 = _interopRequireDefault(_events); + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - /***/ }), - /* 210 */ - /***/ (function(module, exports, __webpack_require__) { +// Copyright 2014 Globo.com Player authors. All rights reserved. +// Use of this source code is governed by a BSD-style +// license that can be found in the LICENSE file. - "use strict"; + var GoogleAnalytics = function (_ContainerPlugin) { + (0, _inherits3.default)(GoogleAnalytics, _ContainerPlugin); + (0, _createClass3.default)(GoogleAnalytics, [{ + key: 'name', + get: function get() { + return 'google_analytics'; + } + }]); + function GoogleAnalytics(container) { + (0, _classCallCheck3.default)(this, GoogleAnalytics); - Object.defineProperty(exports, "__esModule", { - value: true - }); + var _this = (0, _possibleConstructorReturn3.default)(this, _ContainerPlugin.call(this, container)); - var _google_analytics = __webpack_require__(211); + if (_this.container.options.gaAccount) { + _this.account = _this.container.options.gaAccount; + _this.trackerName = _this.container.options.gaTrackerName ? _this.container.options.gaTrackerName + '.' : 'Clappr.'; + _this.domainName = _this.container.options.gaDomainName; + _this.currentHDState = undefined; + _this.embedScript(); + } + return _this; + } - var _google_analytics2 = _interopRequireDefault(_google_analytics); + GoogleAnalytics.prototype.embedScript = function embedScript() { + var _this2 = this; - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + if (!window._gat) { + var script = document.createElement('script'); + script.setAttribute('type', 'text/javascript'); + script.setAttribute('async', 'async'); + script.setAttribute('src', '//www.google-analytics.com/ga.js'); + script.onload = function () { + return _this2.addEventListeners(); + }; + document.body.appendChild(script); + } else { + this.addEventListeners(); + } + }; - exports.default = _google_analytics2.default; - module.exports = exports['default']; + GoogleAnalytics.prototype.addEventListeners = function addEventListeners() { + var _this3 = this; - /***/ }), - /* 211 */ - /***/ (function(module, exports, __webpack_require__) { + if (this.container) { + this.listenTo(this.container, _events2.default.CONTAINER_READY, this.onReady); + this.listenTo(this.container, _events2.default.CONTAINER_PLAY, this.onPlay); + this.listenTo(this.container, _events2.default.CONTAINER_STOP, this.onStop); + this.listenTo(this.container, _events2.default.CONTAINER_PAUSE, this.onPause); + this.listenTo(this.container, _events2.default.CONTAINER_ENDED, this.onEnded); + this.listenTo(this.container, _events2.default.CONTAINER_STATE_BUFFERING, this.onBuffering); + this.listenTo(this.container, _events2.default.CONTAINER_STATE_BUFFERFULL, this.onBufferFull); + this.listenTo(this.container, _events2.default.CONTAINER_ERROR, this.onError); + this.listenTo(this.container, _events2.default.CONTAINER_PLAYBACKSTATE, this.onPlaybackChanged); + this.listenTo(this.container, _events2.default.CONTAINER_VOLUME, function (event) { + return _this3.onVolumeChanged(event); + }); + this.listenTo(this.container, _events2.default.CONTAINER_SEEK, function (event) { + return _this3.onSeek(event); + }); + this.listenTo(this.container, _events2.default.CONTAINER_FULL_SCREEN, this.onFullscreen); + this.listenTo(this.container, _events2.default.CONTAINER_HIGHDEFINITIONUPDATE, this.onHD); + this.listenTo(this.container, _events2.default.CONTAINER_PLAYBACKDVRSTATECHANGED, this.onDVR); + } + _gaq.push([this.trackerName + '_setAccount', this.account]); + if (this.domainName) _gaq.push([this.trackerName + '_setDomainName', this.domainName]); + }; - "use strict"; + GoogleAnalytics.prototype.onReady = function onReady() { + this.push(['Video', 'Playback', this.container.playback.name]); + }; + GoogleAnalytics.prototype.onPlay = function onPlay() { + this.push(['Video', 'Play', this.container.playback.src]); + }; - Object.defineProperty(exports, "__esModule", { - value: true - }); + GoogleAnalytics.prototype.onStop = function onStop() { + this.push(['Video', 'Stop', this.container.playback.src]); + }; - var _classCallCheck2 = __webpack_require__(0); + GoogleAnalytics.prototype.onEnded = function onEnded() { + this.push(['Video', 'Ended', this.container.playback.src]); + }; - var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + GoogleAnalytics.prototype.onBuffering = function onBuffering() { + this.push(['Video', 'Buffering', this.container.playback.src]); + }; - var _possibleConstructorReturn2 = __webpack_require__(1); + GoogleAnalytics.prototype.onBufferFull = function onBufferFull() { + this.push(['Video', 'Bufferfull', this.container.playback.src]); + }; - var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); + GoogleAnalytics.prototype.onError = function onError() { + this.push(['Video', 'Error', this.container.playback.src]); + }; - var _createClass2 = __webpack_require__(3); + GoogleAnalytics.prototype.onHD = function onHD(isHD) { + var status = isHD ? 'ON' : 'OFF'; + if (status !== this.currentHDState) { + this.currentHDState = status; + this.push(['Video', 'HD - ' + status, this.container.playback.src]); + } + }; - var _createClass3 = _interopRequireDefault(_createClass2); + GoogleAnalytics.prototype.onPlaybackChanged = function onPlaybackChanged(playbackState) { + if (playbackState.type !== null) this.push(['Video', 'Playback Type - ' + playbackState.type, this.container.playback.src]); + }; - var _inherits2 = __webpack_require__(2); + GoogleAnalytics.prototype.onDVR = function onDVR(dvrInUse) { + var status = dvrInUse ? 'ON' : 'OFF'; + this.push(['Interaction', 'DVR - ' + status, this.container.playback.src]); + }; - var _inherits3 = _interopRequireDefault(_inherits2); + GoogleAnalytics.prototype.onPause = function onPause() { + this.push(['Video', 'Pause', this.container.playback.src]); + }; - var _container_plugin = __webpack_require__(43); + GoogleAnalytics.prototype.onSeek = function onSeek() { + this.push(['Video', 'Seek', this.container.playback.src]); + }; - var _container_plugin2 = _interopRequireDefault(_container_plugin); + GoogleAnalytics.prototype.onVolumeChanged = function onVolumeChanged() { + this.push(['Interaction', 'Volume', this.container.playback.src]); + }; - var _events = __webpack_require__(4); + GoogleAnalytics.prototype.onFullscreen = function onFullscreen() { + this.push(['Interaction', 'Fullscreen', this.container.playback.src]); + }; - var _events2 = _interopRequireDefault(_events); + GoogleAnalytics.prototype.push = function push(array) { + var res = [this.trackerName + '_trackEvent'].concat(array); + _gaq.push(res); + }; - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + return GoogleAnalytics; + }(_container_plugin2.default); -// Copyright 2014 Globo.com Player authors. All rights reserved. -// Use of this source code is governed by a BSD-style -// license that can be found in the LICENSE file. + exports.default = GoogleAnalytics; + module.exports = exports['default']; - var GoogleAnalytics = function (_ContainerPlugin) { - (0, _inherits3.default)(GoogleAnalytics, _ContainerPlugin); - (0, _createClass3.default)(GoogleAnalytics, [{ - key: 'name', - get: function get() { - return 'google_analytics'; - } - }]); + /***/ }), - function GoogleAnalytics(container) { - (0, _classCallCheck3.default)(this, GoogleAnalytics); + /***/ "./src/plugins/google_analytics/index.js": + /*!***********************************************!*\ + !*** ./src/plugins/google_analytics/index.js ***! + \***********************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - var _this = (0, _possibleConstructorReturn3.default)(this, _ContainerPlugin.call(this, container)); + "use strict"; - if (_this.container.options.gaAccount) { - _this.account = _this.container.options.gaAccount; - _this.trackerName = _this.container.options.gaTrackerName ? _this.container.options.gaTrackerName + '.' : 'Clappr.'; - _this.domainName = _this.container.options.gaDomainName; - _this.currentHDState = undefined; - _this.embedScript(); - } - return _this; - } - GoogleAnalytics.prototype.embedScript = function embedScript() { - var _this2 = this; + Object.defineProperty(exports, "__esModule", { + value: true + }); - if (!window._gat) { - var script = document.createElement('script'); - script.setAttribute('type', 'text/javascript'); - script.setAttribute('async', 'async'); - script.setAttribute('src', '//www.google-analytics.com/ga.js'); - script.onload = function () { - return _this2.addEventListeners(); - }; - document.body.appendChild(script); - } else { - this.addEventListeners(); - } - }; + var _google_analytics = __webpack_require__(/*! ./google_analytics */ "./src/plugins/google_analytics/google_analytics.js"); - GoogleAnalytics.prototype.addEventListeners = function addEventListeners() { - var _this3 = this; + var _google_analytics2 = _interopRequireDefault(_google_analytics); - if (this.container) { - this.listenTo(this.container, _events2.default.CONTAINER_READY, this.onReady); - this.listenTo(this.container, _events2.default.CONTAINER_PLAY, this.onPlay); - this.listenTo(this.container, _events2.default.CONTAINER_STOP, this.onStop); - this.listenTo(this.container, _events2.default.CONTAINER_PAUSE, this.onPause); - this.listenTo(this.container, _events2.default.CONTAINER_ENDED, this.onEnded); - this.listenTo(this.container, _events2.default.CONTAINER_STATE_BUFFERING, this.onBuffering); - this.listenTo(this.container, _events2.default.CONTAINER_STATE_BUFFERFULL, this.onBufferFull); - this.listenTo(this.container, _events2.default.CONTAINER_ERROR, this.onError); - this.listenTo(this.container, _events2.default.CONTAINER_PLAYBACKSTATE, this.onPlaybackChanged); - this.listenTo(this.container, _events2.default.CONTAINER_VOLUME, function (event) { - return _this3.onVolumeChanged(event); - }); - this.listenTo(this.container, _events2.default.CONTAINER_SEEK, function (event) { - return _this3.onSeek(event); - }); - this.listenTo(this.container, _events2.default.CONTAINER_FULL_SCREEN, this.onFullscreen); - this.listenTo(this.container, _events2.default.CONTAINER_HIGHDEFINITIONUPDATE, this.onHD); - this.listenTo(this.container, _events2.default.CONTAINER_PLAYBACKDVRSTATECHANGED, this.onDVR); - } - _gaq.push([this.trackerName + '_setAccount', this.account]); - if (this.domainName) _gaq.push([this.trackerName + '_setDomainName', this.domainName]); - }; + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - GoogleAnalytics.prototype.onReady = function onReady() { - this.push(['Video', 'Playback', this.container.playback.name]); - }; + exports.default = _google_analytics2.default; + module.exports = exports['default']; - GoogleAnalytics.prototype.onPlay = function onPlay() { - this.push(['Video', 'Play', this.container.playback.src]); - }; + /***/ }), - GoogleAnalytics.prototype.onStop = function onStop() { - this.push(['Video', 'Stop', this.container.playback.src]); - }; + /***/ "./src/plugins/log/index.js": + /*!**********************************!*\ + !*** ./src/plugins/log/index.js ***! + \**********************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - GoogleAnalytics.prototype.onEnded = function onEnded() { - this.push(['Video', 'Ended', this.container.playback.src]); - }; + "use strict"; - GoogleAnalytics.prototype.onBuffering = function onBuffering() { - this.push(['Video', 'Buffering', this.container.playback.src]); - }; - GoogleAnalytics.prototype.onBufferFull = function onBufferFull() { - this.push(['Video', 'Bufferfull', this.container.playback.src]); - }; + Object.defineProperty(exports, "__esModule", { + value: true + }); - GoogleAnalytics.prototype.onError = function onError() { - this.push(['Video', 'Error', this.container.playback.src]); - }; + var _log = __webpack_require__(/*! ./log */ "./src/plugins/log/log.js"); - GoogleAnalytics.prototype.onHD = function onHD(isHD) { - var status = isHD ? 'ON' : 'OFF'; - if (status !== this.currentHDState) { - this.currentHDState = status; - this.push(['Video', 'HD - ' + status, this.container.playback.src]); - } - }; + var _log2 = _interopRequireDefault(_log); - GoogleAnalytics.prototype.onPlaybackChanged = function onPlaybackChanged(playbackState) { - if (playbackState.type !== null) this.push(['Video', 'Playback Type - ' + playbackState.type, this.container.playback.src]); - }; + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - GoogleAnalytics.prototype.onDVR = function onDVR(dvrInUse) { - var status = dvrInUse ? 'ON' : 'OFF'; - this.push(['Interaction', 'DVR - ' + status, this.container.playback.src]); - }; + exports.default = _log2.default; + module.exports = exports['default']; - GoogleAnalytics.prototype.onPause = function onPause() { - this.push(['Video', 'Pause', this.container.playback.src]); - }; + /***/ }), - GoogleAnalytics.prototype.onSeek = function onSeek() { - this.push(['Video', 'Seek', this.container.playback.src]); - }; + /***/ "./src/plugins/log/log.js": + /*!********************************!*\ + !*** ./src/plugins/log/log.js ***! + \********************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - GoogleAnalytics.prototype.onVolumeChanged = function onVolumeChanged() { - this.push(['Interaction', 'Volume', this.container.playback.src]); - }; + "use strict"; - GoogleAnalytics.prototype.onFullscreen = function onFullscreen() { - this.push(['Interaction', 'Fullscreen', this.container.playback.src]); - }; - GoogleAnalytics.prototype.push = function push(array) { - var res = [this.trackerName + '_trackEvent'].concat(array); - _gaq.push(res); - }; + Object.defineProperty(exports, "__esModule", { + value: true + }); - return GoogleAnalytics; - }(_container_plugin2.default); + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); - exports.default = GoogleAnalytics; - module.exports = exports['default']; + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); - /***/ }), - /* 212 */ - /***/ (function(module, exports, __webpack_require__) { + var _vendor = __webpack_require__(/*! ../../vendor */ "./src/vendor/index.js"); - "use strict"; + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + var BOLD = 'font-weight: bold; font-size: 13px;'; +// Use of this source code is governed by a BSD-style +// license that can be found in the LICENSE file. - Object.defineProperty(exports, "__esModule", { - value: true - }); + var INFO = 'color: #006600;' + BOLD; + var DEBUG = 'color: #0000ff;' + BOLD; + var WARN = 'color: #ff8000;' + BOLD; + var ERROR = 'color: #ff0000;' + BOLD; - var _classCallCheck2 = __webpack_require__(0); + var LEVEL_DEBUG = 0; + var LEVEL_INFO = 1; + var LEVEL_WARN = 2; + var LEVEL_ERROR = 3; + var LEVEL_DISABLED = LEVEL_ERROR; - var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + var COLORS = [DEBUG, INFO, WARN, ERROR, ERROR]; + var DESCRIPTIONS = ['debug', 'info', 'warn', 'error', 'disabled']; - var _possibleConstructorReturn2 = __webpack_require__(1); + var Log = function () { + function Log() { + var _this = this; - var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); + var level = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : LEVEL_INFO; + var offLevel = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : LEVEL_DISABLED; + (0, _classCallCheck3.default)(this, Log); - var _createClass2 = __webpack_require__(3); + this.kibo = new _vendor.Kibo(); + this.kibo.down(['ctrl shift d'], function () { + return _this.onOff(); + }); + this.BLACKLIST = ['timeupdate', 'playback:timeupdate', 'playback:progress', 'container:hover', 'container:timeupdate', 'container:progress']; + this.level = level; + this.offLevel = offLevel; + } - var _createClass3 = _interopRequireDefault(_createClass2); + Log.prototype.debug = function debug(klass) { + this.log(klass, LEVEL_DEBUG, Array.prototype.slice.call(arguments, 1)); + }; - var _inherits2 = __webpack_require__(2); + Log.prototype.info = function info(klass) { + this.log(klass, LEVEL_INFO, Array.prototype.slice.call(arguments, 1)); + }; - var _inherits3 = _interopRequireDefault(_inherits2); + Log.prototype.warn = function warn(klass) { + this.log(klass, LEVEL_WARN, Array.prototype.slice.call(arguments, 1)); + }; - var _container_plugin = __webpack_require__(43); + Log.prototype.error = function error(klass) { + this.log(klass, LEVEL_ERROR, Array.prototype.slice.call(arguments, 1)); + }; - var _container_plugin2 = _interopRequireDefault(_container_plugin); + Log.prototype.onOff = function onOff() { + if (this.level === this.offLevel) { + this.level = this.previousLevel; + } else { + this.previousLevel = this.level; + this.level = this.offLevel; + } + // handle instances where console.log is unavailable + if (window.console && window.console.log) window.console.log('%c[Clappr.Log] set log level to ' + DESCRIPTIONS[this.level], WARN); + }; - var _events = __webpack_require__(4); + Log.prototype.level = function level(newLevel) { + this.level = newLevel; + }; - var _events2 = _interopRequireDefault(_events); + Log.prototype.log = function log(klass, level, message) { + if (this.BLACKLIST.indexOf(message[0]) >= 0) return; + if (level < this.level) return; - var _playback = __webpack_require__(10); + if (!message) { + message = klass; + klass = null; + } + var color = COLORS[level]; + var klassDescription = ''; + if (klass) klassDescription = '[' + klass + ']'; - var _playback2 = _interopRequireDefault(_playback); + if (window.console && window.console.log) window.console.log.apply(console, ['%c[' + DESCRIPTIONS[level] + ']' + klassDescription, color].concat(message)); + }; - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + return Log; + }(); - var ClickToPausePlugin = function (_ContainerPlugin) { - (0, _inherits3.default)(ClickToPausePlugin, _ContainerPlugin); - (0, _createClass3.default)(ClickToPausePlugin, [{ - key: 'name', - get: function get() { - return 'click_to_pause'; - } - }]); + exports.default = Log; - function ClickToPausePlugin(container) { - (0, _classCallCheck3.default)(this, ClickToPausePlugin); - return (0, _possibleConstructorReturn3.default)(this, _ContainerPlugin.call(this, container)); - } - ClickToPausePlugin.prototype.bindEvents = function bindEvents() { - this.listenTo(this.container, _events2.default.CONTAINER_CLICK, this.click); - this.listenTo(this.container, _events2.default.CONTAINER_SETTINGSUPDATE, this.settingsUpdate); - }; + Log.LEVEL_DEBUG = LEVEL_DEBUG; + Log.LEVEL_INFO = LEVEL_INFO; + Log.LEVEL_WARN = LEVEL_WARN; + Log.LEVEL_ERROR = LEVEL_ERROR; - ClickToPausePlugin.prototype.click = function click() { - if (this.container.getPlaybackType() !== _playback2.default.LIVE || this.container.isDvrEnabled()) { - if (this.container.isPlaying()) this.container.pause();else this.container.play(); + Log.getInstance = function () { + if (this._instance === undefined) { + this._instance = new this(); + this._instance.previousLevel = this._instance.level; + this._instance.level = this._instance.offLevel; } + return this._instance; }; - ClickToPausePlugin.prototype.settingsUpdate = function settingsUpdate() { - var pointerEnabled = this.container.getPlaybackType() !== _playback2.default.LIVE || this.container.isDvrEnabled(); - if (pointerEnabled === this.pointerEnabled) return; + Log.setLevel = function (level) { + this.getInstance().level = level; + }; - var method = pointerEnabled ? 'addClass' : 'removeClass'; - this.container.$el[method]('pointer-enabled'); - this.pointerEnabled = pointerEnabled; + Log.debug = function () { + this.getInstance().debug.apply(this.getInstance(), arguments); + }; + Log.info = function () { + this.getInstance().info.apply(this.getInstance(), arguments); + }; + Log.warn = function () { + this.getInstance().warn.apply(this.getInstance(), arguments); + }; + Log.error = function () { + this.getInstance().error.apply(this.getInstance(), arguments); }; + module.exports = exports['default']; - return ClickToPausePlugin; - }(_container_plugin2.default); //Copyright 2014 Globo.com Player authors. All rights reserved. -// Use of this source code is governed by a BSD-style -// license that can be found in the LICENSE file. + /***/ }), - exports.default = ClickToPausePlugin; - module.exports = exports['default']; + /***/ "./src/plugins/media_control/index.js": + /*!********************************************!*\ + !*** ./src/plugins/media_control/index.js ***! + \********************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - /***/ }), - /* 213 */ - /***/ (function(module, exports, __webpack_require__) { + "use strict"; - "use strict"; - /* WEBPACK VAR INJECTION */(function(process) { Object.defineProperty(exports, "__esModule", { value: true }); - var _stringify = __webpack_require__(88); + var _media_control = __webpack_require__(/*! ./media_control */ "./src/plugins/media_control/media_control.js"); - var _stringify2 = _interopRequireDefault(_stringify); + var _media_control2 = _interopRequireDefault(_media_control); - var _classCallCheck2 = __webpack_require__(0); + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + exports.default = _media_control2.default; + module.exports = exports['default']; - var _possibleConstructorReturn2 = __webpack_require__(1); + /***/ }), - var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); + /***/ "./src/plugins/media_control/media_control.js": + /*!****************************************************!*\ + !*** ./src/plugins/media_control/media_control.js ***! + \****************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - var _createClass2 = __webpack_require__(3); + "use strict"; + /* WEBPACK VAR INJECTION */(function(process) { - var _createClass3 = _interopRequireDefault(_createClass2); + Object.defineProperty(exports, "__esModule", { + value: true + }); - var _inherits2 = __webpack_require__(2); + var _stringify = __webpack_require__(/*! babel-runtime/core-js/json/stringify */ "./node_modules/babel-runtime/core-js/json/stringify.js"); - var _inherits3 = _interopRequireDefault(_inherits2); + var _stringify2 = _interopRequireDefault(_stringify); - var _utils = __webpack_require__(5); + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); - var _vendor = __webpack_require__(60); + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); - var _events = __webpack_require__(4); + var _possibleConstructorReturn2 = __webpack_require__(/*! babel-runtime/helpers/possibleConstructorReturn */ "./node_modules/babel-runtime/helpers/possibleConstructorReturn.js"); - var _events2 = _interopRequireDefault(_events); + var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); - var _ui_core_plugin = __webpack_require__(23); + var _createClass2 = __webpack_require__(/*! babel-runtime/helpers/createClass */ "./node_modules/babel-runtime/helpers/createClass.js"); - var _ui_core_plugin2 = _interopRequireDefault(_ui_core_plugin); + var _createClass3 = _interopRequireDefault(_createClass2); - var _browser = __webpack_require__(14); + var _inherits2 = __webpack_require__(/*! babel-runtime/helpers/inherits */ "./node_modules/babel-runtime/helpers/inherits.js"); - var _browser2 = _interopRequireDefault(_browser); + var _inherits3 = _interopRequireDefault(_inherits2); - var _mediator = __webpack_require__(31); + var _utils = __webpack_require__(/*! ../../base/utils */ "./src/base/utils.js"); - var _mediator2 = _interopRequireDefault(_mediator); + var _vendor = __webpack_require__(/*! ../../vendor */ "./src/vendor/index.js"); - var _template = __webpack_require__(7); + var _events = __webpack_require__(/*! ../../base/events */ "./src/base/events.js"); - var _template2 = _interopRequireDefault(_template); + var _events2 = _interopRequireDefault(_events); - var _playback = __webpack_require__(10); + var _ui_core_plugin = __webpack_require__(/*! ../../base/ui_core_plugin */ "./src/base/ui_core_plugin.js"); - var _playback2 = _interopRequireDefault(_playback); + var _ui_core_plugin2 = _interopRequireDefault(_ui_core_plugin); - var _clapprZepto = __webpack_require__(6); + var _browser = __webpack_require__(/*! ../../components/browser */ "./src/components/browser/index.js"); - var _clapprZepto2 = _interopRequireDefault(_clapprZepto); + var _browser2 = _interopRequireDefault(_browser); - __webpack_require__(214); + var _mediator = __webpack_require__(/*! ../../components/mediator */ "./src/components/mediator.js"); - var _mediaControl = __webpack_require__(216); + var _mediator2 = _interopRequireDefault(_mediator); - var _mediaControl2 = _interopRequireDefault(_mediaControl); + var _template = __webpack_require__(/*! ../../base/template */ "./src/base/template.js"); - var _play = __webpack_require__(64); + var _template2 = _interopRequireDefault(_template); - var _play2 = _interopRequireDefault(_play); + var _playback = __webpack_require__(/*! ../../base/playback */ "./src/base/playback.js"); - var _pause = __webpack_require__(97); + var _playback2 = _interopRequireDefault(_playback); - var _pause2 = _interopRequireDefault(_pause); + var _clapprZepto = __webpack_require__(/*! clappr-zepto */ "./node_modules/clappr-zepto/zepto.js"); - var _stop = __webpack_require__(217); + var _clapprZepto2 = _interopRequireDefault(_clapprZepto); - var _stop2 = _interopRequireDefault(_stop); + __webpack_require__(/*! ./public/media-control.scss */ "./src/plugins/media_control/public/media-control.scss"); - var _volume = __webpack_require__(218); + var _mediaControl = __webpack_require__(/*! ./public/media-control.html */ "./src/plugins/media_control/public/media-control.html"); - var _volume2 = _interopRequireDefault(_volume); + var _mediaControl2 = _interopRequireDefault(_mediaControl); - var _mute = __webpack_require__(219); + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - var _mute2 = _interopRequireDefault(_mute); +// Copyright 2014 Globo.com Player authors. All rights reserved. +// Use of this source code is governed by a BSD-style +// license that can be found in the LICENSE file. - var _expand = __webpack_require__(220); + /** + * The MediaControl is responsible for displaying the Player controls. + */ - var _expand2 = _interopRequireDefault(_expand); + var MediaControl = function (_UICorePlugin) { + (0, _inherits3.default)(MediaControl, _UICorePlugin); + (0, _createClass3.default)(MediaControl, [{ + key: 'name', + get: function get() { + return 'media_control'; + } + }, { + key: 'disabled', + get: function get() { + var playbackIsNOOP = this.container && this.container.getPlaybackType() === _playback2.default.NO_OP; + return this.userDisabled || playbackIsNOOP; + } + }, { + key: 'container', + get: function get() { + return this.core && this.core.activeContainer; + } + }, { + key: 'playback', + get: function get() { + return this.core && this.core.activePlayback; + } + }, { + key: 'attributes', + get: function get() { + return { + 'class': 'media-control', + 'data-media-control': '' + }; + } + }, { + key: 'events', + get: function get() { + return { + 'click [data-play]': 'play', + 'click [data-pause]': 'pause', + 'click [data-playpause]': 'togglePlayPause', + 'click [data-stop]': 'stop', + 'click [data-playstop]': 'togglePlayStop', + 'click [data-fullscreen]': 'toggleFullscreen', + 'click .bar-container[data-seekbar]': 'seek', + 'click .bar-container[data-volume]': 'onVolumeClick', + 'click .drawer-icon[data-volume]': 'toggleMute', + 'mouseenter .drawer-container[data-volume]': 'showVolumeBar', + 'mouseleave .drawer-container[data-volume]': 'hideVolumeBar', + 'mousedown .bar-container[data-volume]': 'startVolumeDrag', + 'mousemove .bar-container[data-volume]': 'mousemoveOnVolumeBar', + 'mousedown .bar-scrubber[data-seekbar]': 'startSeekDrag', + 'mousemove .bar-container[data-seekbar]': 'mousemoveOnSeekBar', + 'mouseleave .bar-container[data-seekbar]': 'mouseleaveOnSeekBar', + 'mouseenter .media-control-layer[data-controls]': 'setUserKeepVisible', + 'mouseleave .media-control-layer[data-controls]': 'resetUserKeepVisible' + }; + } + }, { + key: 'template', + get: function get() { + return (0, _template2.default)(_mediaControl2.default); + } + }, { + key: 'volume', + get: function get() { + return this.container && this.container.isReady ? this.container.volume : this.intendedVolume; + } + }, { + key: 'muted', + get: function get() { + return this.volume === 0; + } + }]); - var _shrink = __webpack_require__(221); + function MediaControl(core) { + (0, _classCallCheck3.default)(this, MediaControl); - var _shrink2 = _interopRequireDefault(_shrink); + var _this = (0, _possibleConstructorReturn3.default)(this, _UICorePlugin.call(this, core)); - var _hd = __webpack_require__(222); + _this.persistConfig = _this.options.persistConfig; + _this.currentPositionValue = null; + _this.currentDurationValue = null; + _this.keepVisible = false; + _this.fullScreenOnVideoTagSupported = null; // unknown + _this.setInitialVolume(); + _this.settings = { + left: ['play', 'stop', 'pause'], + right: ['volume'], + default: ['position', 'seekbar', 'duration'] + }; + _this.kibo = new _vendor.Kibo(_this.options.focusElement); + _this.bindKeyEvents(); - var _hd2 = _interopRequireDefault(_hd); + if (_this.container) { + if (!_clapprZepto2.default.isEmptyObject(_this.container.settings)) _this.settings = _clapprZepto2.default.extend({}, _this.container.settings); + } else { + _this.settings = {}; + } - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + _this.userDisabled = false; + if (_this.container && _this.container.mediaControlDisabled || _this.options.chromeless) _this.disable(); - var MediaControl = function (_UICorePlugin) { - (0, _inherits3.default)(MediaControl, _UICorePlugin); - (0, _createClass3.default)(MediaControl, [{ - key: 'name', - get: function get() { - return 'media_control'; - } - }, { - key: 'disabled', - get: function get() { - var playbackIsNOOP = this.container && this.container.getPlaybackType() === _playback2.default.NO_OP; - return this.userDisabled || playbackIsNOOP; - } - }, { - key: 'container', - get: function get() { - return this.core && this.core.activeContainer; - } - }, { - key: 'playback', - get: function get() { - return this.core && this.core.activePlayback; - } - }, { - key: 'attributes', - get: function get() { - return { - 'class': 'media-control', - 'data-media-control': '' + _this.stopDragHandler = function (event) { + return _this.stopDrag(event); }; - } - }, { - key: 'events', - get: function get() { - return { - 'click [data-play]': 'play', - 'click [data-pause]': 'pause', - 'click [data-playpause]': 'togglePlayPause', - 'click [data-stop]': 'stop', - 'click [data-playstop]': 'togglePlayStop', - 'click [data-fullscreen]': 'toggleFullscreen', - 'click .bar-container[data-seekbar]': 'seek', - 'click .bar-container[data-volume]': 'onVolumeClick', - 'click .drawer-icon[data-volume]': 'toggleMute', - 'mouseenter .drawer-container[data-volume]': 'showVolumeBar', - 'mouseleave .drawer-container[data-volume]': 'hideVolumeBar', - 'mousedown .bar-container[data-volume]': 'startVolumeDrag', - 'mousemove .bar-container[data-volume]': 'mousemoveOnVolumeBar', - 'mousedown .bar-scrubber[data-seekbar]': 'startSeekDrag', - 'mousemove .bar-container[data-seekbar]': 'mousemoveOnSeekBar', - 'mouseleave .bar-container[data-seekbar]': 'mouseleaveOnSeekBar', - 'mouseenter .media-control-layer[data-controls]': 'setUserKeepVisible', - 'mouseleave .media-control-layer[data-controls]': 'resetUserKeepVisible' + _this.updateDragHandler = function (event) { + return _this.updateDrag(event); }; + (0, _clapprZepto2.default)(document).bind('mouseup', _this.stopDragHandler); + (0, _clapprZepto2.default)(document).bind('mousemove', _this.updateDragHandler); + return _this; } - }, { - key: 'template', - get: function get() { - return (0, _template2.default)(_mediaControl2.default); - } - }, { - key: 'volume', - get: function get() { - return this.container && this.container.isReady ? this.container.volume : this.intendedVolume; - } - }, { - key: 'muted', - get: function get() { - return this.volume === 0; - } - }]); - function MediaControl(core) { - (0, _classCallCheck3.default)(this, MediaControl); - - var _this = (0, _possibleConstructorReturn3.default)(this, _UICorePlugin.call(this, core)); + MediaControl.prototype.getExternalInterface = function getExternalInterface() { + var _this2 = this; - _this.persistConfig = _this.options.persistConfig; - _this.currentPositionValue = null; - _this.currentDurationValue = null; - _this.keepVisible = false; - _this.fullScreenOnVideoTagSupported = null; // unknown - _this.setInitialVolume(); - _this.settings = { - left: ['play', 'stop', 'pause'], - right: ['volume'], - default: ['position', 'seekbar', 'duration'] + return { + setVolume: this.setVolume, + getVolume: function getVolume() { + return _this2.volume; + } + }; }; - _this.kibo = new _vendor.Kibo(_this.options.focusElement); - _this.bindKeyEvents(); - - if (_this.container) { - if (!_clapprZepto2.default.isEmptyObject(_this.container.settings)) _this.settings = _clapprZepto2.default.extend({}, _this.container.settings); - } else { - _this.settings = {}; - } - _this.userDisabled = false; - if (_this.container && _this.container.mediaControlDisabled || _this.options.chromeless) _this.disable(); + MediaControl.prototype.bindEvents = function bindEvents() { + var _this3 = this; - _this.stopDragHandler = function (event) { - return _this.stopDrag(event); - }; - _this.updateDragHandler = function (event) { - return _this.updateDrag(event); + this.stopListening(); + this.listenTo(this.core, _events2.default.CORE_ACTIVE_CONTAINER_CHANGED, this.onActiveContainerChanged); + this.listenTo(this.core, _events2.default.CORE_MOUSE_MOVE, this.show); + this.listenTo(this.core, _events2.default.CORE_MOUSE_LEAVE, function () { + return _this3.hide(_this3.options.hideMediaControlDelay); + }); + this.listenTo(this.core, _events2.default.CORE_FULLSCREEN, this.show); + this.listenTo(this.core, _events2.default.CORE_OPTIONS_CHANGE, this.configure); + _mediator2.default.on(this.options.playerId + ':' + _events2.default.PLAYER_RESIZE, this.playerResize, this); + this.bindContainerEvents(); }; - (0, _clapprZepto2.default)(document).bind('mouseup', _this.stopDragHandler); - (0, _clapprZepto2.default)(document).bind('mousemove', _this.updateDragHandler); - return _this; - } - - MediaControl.prototype.getExternalInterface = function getExternalInterface() { - var _this2 = this; - return { - setVolume: this.setVolume, - getVolume: function getVolume() { - return _this2.volume; + MediaControl.prototype.bindContainerEvents = function bindContainerEvents() { + if (!this.container) return; + this.listenTo(this.container, _events2.default.CONTAINER_PLAY, this.changeTogglePlay); + this.listenTo(this.container, _events2.default.CONTAINER_PAUSE, this.changeTogglePlay); + this.listenTo(this.container, _events2.default.CONTAINER_STOP, this.changeTogglePlay); + this.listenTo(this.container, _events2.default.CONTAINER_DBLCLICK, this.toggleFullscreen); + this.listenTo(this.container, _events2.default.CONTAINER_TIMEUPDATE, this.onTimeUpdate); + this.listenTo(this.container, _events2.default.CONTAINER_PROGRESS, this.updateProgressBar); + this.listenTo(this.container, _events2.default.CONTAINER_SETTINGSUPDATE, this.settingsUpdate); + this.listenTo(this.container, _events2.default.CONTAINER_PLAYBACKDVRSTATECHANGED, this.settingsUpdate); + this.listenTo(this.container, _events2.default.CONTAINER_HIGHDEFINITIONUPDATE, this.highDefinitionUpdate); + this.listenTo(this.container, _events2.default.CONTAINER_MEDIACONTROL_DISABLE, this.disable); + this.listenTo(this.container, _events2.default.CONTAINER_MEDIACONTROL_ENABLE, this.enable); + this.listenTo(this.container, _events2.default.CONTAINER_ENDED, this.ended); + this.listenTo(this.container, _events2.default.CONTAINER_VOLUME, this.onVolumeChanged); + this.listenTo(this.container, _events2.default.CONTAINER_OPTIONS_CHANGE, this.setInitialVolume); + if (this.container.playback.el.nodeName.toLowerCase() === 'video') { + // wait until the metadata has loaded and then check if fullscreen on video tag is supported + this.listenToOnce(this.container, _events2.default.CONTAINER_LOADEDMETADATA, this.onLoadedMetadataOnVideoTag); } }; - }; - - MediaControl.prototype.bindEvents = function bindEvents() { - var _this3 = this; - - this.stopListening(); - this.listenTo(this.core, _events2.default.CORE_ACTIVE_CONTAINER_CHANGED, this.onActiveContainerChanged); - this.listenTo(this.core, _events2.default.CORE_MOUSE_MOVE, this.show); - this.listenTo(this.core, _events2.default.CORE_MOUSE_LEAVE, function () { - return _this3.hide(_this3.options.hideMediaControlDelay); - }); - this.listenTo(this.core, _events2.default.CORE_FULLSCREEN, this.show); - this.listenTo(this.core, _events2.default.CORE_OPTIONS_CHANGE, this.configure); - _mediator2.default.on(this.options.playerId + ':' + _events2.default.PLAYER_RESIZE, this.playerResize, this); - this.bindContainerEvents(); - }; - - MediaControl.prototype.bindContainerEvents = function bindContainerEvents() { - if (!this.container) return; - this.listenTo(this.container, _events2.default.CONTAINER_PLAY, this.changeTogglePlay); - this.listenTo(this.container, _events2.default.CONTAINER_PAUSE, this.changeTogglePlay); - this.listenTo(this.container, _events2.default.CONTAINER_STOP, this.changeTogglePlay); - this.listenTo(this.container, _events2.default.CONTAINER_DBLCLICK, this.toggleFullscreen); - this.listenTo(this.container, _events2.default.CONTAINER_TIMEUPDATE, this.onTimeUpdate); - this.listenTo(this.container, _events2.default.CONTAINER_PROGRESS, this.updateProgressBar); - this.listenTo(this.container, _events2.default.CONTAINER_SETTINGSUPDATE, this.settingsUpdate); - this.listenTo(this.container, _events2.default.CONTAINER_PLAYBACKDVRSTATECHANGED, this.settingsUpdate); - this.listenTo(this.container, _events2.default.CONTAINER_HIGHDEFINITIONUPDATE, this.highDefinitionUpdate); - this.listenTo(this.container, _events2.default.CONTAINER_MEDIACONTROL_DISABLE, this.disable); - this.listenTo(this.container, _events2.default.CONTAINER_MEDIACONTROL_ENABLE, this.enable); - this.listenTo(this.container, _events2.default.CONTAINER_ENDED, this.ended); - this.listenTo(this.container, _events2.default.CONTAINER_VOLUME, this.onVolumeChanged); - this.listenTo(this.container, _events2.default.CONTAINER_OPTIONS_CHANGE, this.setInitialVolume); - if (this.container.playback.el.nodeName.toLowerCase() === 'video') { - // wait until the metadata has loaded and then check if fullscreen on video tag is supported - this.listenToOnce(this.container, _events2.default.CONTAINER_LOADEDMETADATA, this.onLoadedMetadataOnVideoTag); - } - }; - - MediaControl.prototype.disable = function disable() { - this.userDisabled = true; - this.hide(); - this.unbindKeyEvents(); - this.$el.hide(); - }; - - MediaControl.prototype.enable = function enable() { - if (this.options.chromeless) return; - this.userDisabled = false; - this.bindKeyEvents(); - this.show(); - }; - - MediaControl.prototype.play = function play() { - this.container && this.container.play(); - }; - MediaControl.prototype.pause = function pause() { - this.container && this.container.pause(); - }; - - MediaControl.prototype.stop = function stop() { - this.container && this.container.stop(); - }; - - MediaControl.prototype.setInitialVolume = function setInitialVolume() { - var initialVolume = this.persistConfig ? _utils.Config.restore('volume') : 100; - var options = this.container && this.container.options || this.options; - this.setVolume(options.mute ? 0 : initialVolume, true); - }; - - MediaControl.prototype.onVolumeChanged = function onVolumeChanged() { - this.updateVolumeUI(); - }; - - MediaControl.prototype.onLoadedMetadataOnVideoTag = function onLoadedMetadataOnVideoTag() { - var video = this.playback && this.playback.el; - // video.webkitSupportsFullscreen is deprecated but iOS appears to only use this - // see https://github.com/clappr/clappr/issues/1127 - if (!_utils.Fullscreen.fullscreenEnabled() && video.webkitSupportsFullscreen) { - this.fullScreenOnVideoTagSupported = true; - this.settingsUpdate(); - } - }; - - MediaControl.prototype.updateVolumeUI = function updateVolumeUI() { - // this will be called after a render - if (!this.rendered) return; - - // update volume bar scrubber/fill on bar mode - this.$volumeBarContainer.find('.bar-fill-2').css({}); - var containerWidth = this.$volumeBarContainer.width(); - var barWidth = this.$volumeBarBackground.width(); - var offset = (containerWidth - barWidth) / 2.0; - var pos = barWidth * this.volume / 100.0 + offset; - this.$volumeBarFill.css({ width: this.volume + '%' }); - this.$volumeBarScrubber.css({ left: pos }); - - // update volume bar segments on segmented bar mode - this.$volumeBarContainer.find('.segmented-bar-element').removeClass('fill'); - var item = Math.ceil(this.volume / 10.0); - this.$volumeBarContainer.find('.segmented-bar-element').slice(0, item).addClass('fill'); - this.$volumeIcon.html(''); - this.$volumeIcon.removeClass('muted'); - if (!this.muted) { - this.$volumeIcon.append(_volume2.default); - } else { - this.$volumeIcon.append(_mute2.default); - this.$volumeIcon.addClass('muted'); - } - this.applyButtonStyle(this.$volumeIcon); - }; - - MediaControl.prototype.changeTogglePlay = function changeTogglePlay() { - this.$playPauseToggle.html(''); - this.$playStopToggle.html(''); - if (this.container && this.container.isPlaying()) { - this.$playPauseToggle.append(_pause2.default); - this.$playStopToggle.append(_stop2.default); - this.trigger(_events2.default.MEDIACONTROL_PLAYING); - } else { - this.$playPauseToggle.append(_play2.default); - this.$playStopToggle.append(_play2.default); - this.trigger(_events2.default.MEDIACONTROL_NOTPLAYING); - _browser2.default.isMobile && this.show(); - } - this.applyButtonStyle(this.$playPauseToggle); - this.applyButtonStyle(this.$playStopToggle); - }; - - MediaControl.prototype.mousemoveOnSeekBar = function mousemoveOnSeekBar(event) { - if (this.settings.seekEnabled) { - var offsetX = event.pageX - this.$seekBarContainer.offset().left - this.$seekBarHover.width() / 2; - this.$seekBarHover.css({ left: offsetX }); - } - this.trigger(_events2.default.MEDIACONTROL_MOUSEMOVE_SEEKBAR, event); - }; - - MediaControl.prototype.mouseleaveOnSeekBar = function mouseleaveOnSeekBar(event) { - this.trigger(_events2.default.MEDIACONTROL_MOUSELEAVE_SEEKBAR, event); - }; - - MediaControl.prototype.onVolumeClick = function onVolumeClick(event) { - this.setVolume(this.getVolumeFromUIEvent(event)); - }; - - MediaControl.prototype.mousemoveOnVolumeBar = function mousemoveOnVolumeBar(event) { - this.draggingVolumeBar && this.setVolume(this.getVolumeFromUIEvent(event)); - }; - - MediaControl.prototype.playerResize = function playerResize(size) { - this.$fullscreenToggle.html(''); - var icon = _utils.Fullscreen.isFullscreen() ? _shrink2.default : _expand2.default; - this.$fullscreenToggle.append(icon); - this.applyButtonStyle(this.$fullscreenToggle); - this.$el.find('.media-control').length !== 0 && this.$el.removeClass('w320'); - if (size.width <= 320 || this.options.hideVolumeBar) this.$el.addClass('w320'); - }; - - MediaControl.prototype.togglePlayPause = function togglePlayPause() { - this.container.isPlaying() ? this.container.pause() : this.container.play(); - return false; - }; + MediaControl.prototype.disable = function disable() { + this.userDisabled = true; + this.hide(); + this.unbindKeyEvents(); + this.$el.hide(); + }; - MediaControl.prototype.togglePlayStop = function togglePlayStop() { - this.container.isPlaying() ? this.container.stop() : this.container.play(); - }; + MediaControl.prototype.enable = function enable() { + if (this.options.chromeless) return; + this.userDisabled = false; + this.bindKeyEvents(); + this.show(); + }; - MediaControl.prototype.startSeekDrag = function startSeekDrag(event) { - if (!this.settings.seekEnabled) return; - this.draggingSeekBar = true; - this.$el.addClass('dragging'); - this.$seekBarLoaded.addClass('media-control-notransition'); - this.$seekBarPosition.addClass('media-control-notransition'); - this.$seekBarScrubber.addClass('media-control-notransition'); - event && event.preventDefault(); - }; + MediaControl.prototype.play = function play() { + this.container && this.container.play(); + }; - MediaControl.prototype.startVolumeDrag = function startVolumeDrag(event) { - this.draggingVolumeBar = true; - this.$el.addClass('dragging'); - event && event.preventDefault(); - }; + MediaControl.prototype.pause = function pause() { + this.container && this.container.pause(); + }; - MediaControl.prototype.stopDrag = function stopDrag(event) { - this.draggingSeekBar && this.seek(event); - this.$el.removeClass('dragging'); - this.$seekBarLoaded.removeClass('media-control-notransition'); - this.$seekBarPosition.removeClass('media-control-notransition'); - this.$seekBarScrubber.removeClass('media-control-notransition dragging'); - this.draggingSeekBar = false; - this.draggingVolumeBar = false; - }; + MediaControl.prototype.stop = function stop() { + this.container && this.container.stop(); + }; - MediaControl.prototype.updateDrag = function updateDrag(event) { - if (this.draggingSeekBar) { - event.preventDefault(); - var offsetX = event.pageX - this.$seekBarContainer.offset().left; - var pos = offsetX / this.$seekBarContainer.width() * 100; - pos = Math.min(100, Math.max(pos, 0)); - this.setSeekPercentage(pos); - } else if (this.draggingVolumeBar) { - event.preventDefault(); - this.setVolume(this.getVolumeFromUIEvent(event)); - } - }; + MediaControl.prototype.setInitialVolume = function setInitialVolume() { + var initialVolume = this.persistConfig ? _utils.Config.restore('volume') : 100; + var options = this.container && this.container.options || this.options; + this.setVolume(options.mute ? 0 : initialVolume, true); + }; - MediaControl.prototype.getVolumeFromUIEvent = function getVolumeFromUIEvent(event) { - var offsetY = event.pageX - this.$volumeBarContainer.offset().left; - var volumeFromUI = offsetY / this.$volumeBarContainer.width() * 100; - return volumeFromUI; - }; + MediaControl.prototype.onVolumeChanged = function onVolumeChanged() { + this.updateVolumeUI(); + }; - MediaControl.prototype.toggleMute = function toggleMute() { - this.setVolume(this.muted ? 100 : 0); - }; + MediaControl.prototype.onLoadedMetadataOnVideoTag = function onLoadedMetadataOnVideoTag() { + var video = this.playback && this.playback.el; + // video.webkitSupportsFullscreen is deprecated but iOS appears to only use this + // see https://github.com/clappr/clappr/issues/1127 + if (!_utils.Fullscreen.fullscreenEnabled() && video.webkitSupportsFullscreen) { + this.fullScreenOnVideoTagSupported = true; + this.settingsUpdate(); + } + }; - MediaControl.prototype.setVolume = function setVolume(value) { - var _this4 = this; + MediaControl.prototype.updateVolumeUI = function updateVolumeUI() { + // this will be called after a render + if (!this.rendered) return; + + // update volume bar scrubber/fill on bar mode + this.$volumeBarContainer.find('.bar-fill-2').css({}); + var containerWidth = this.$volumeBarContainer.width(); + var barWidth = this.$volumeBarBackground.width(); + var offset = (containerWidth - barWidth) / 2.0; + var pos = barWidth * this.volume / 100.0 + offset; + this.$volumeBarFill.css({ width: this.volume + '%' }); + this.$volumeBarScrubber.css({ left: pos }); + + // update volume bar segments on segmented bar mode + this.$volumeBarContainer.find('.segmented-bar-element').removeClass('fill'); + var item = Math.ceil(this.volume / 10.0); + this.$volumeBarContainer.find('.segmented-bar-element').slice(0, item).addClass('fill'); + this.$volumeIcon.html(''); + this.$volumeIcon.removeClass('muted'); + if (!this.muted) { + this.$volumeIcon.append(_utils.SvgIcons.volume); + } else { + this.$volumeIcon.append(_utils.SvgIcons.volumeMute); + this.$volumeIcon.addClass('muted'); + } + this.applyButtonStyle(this.$volumeIcon); + }; - var isInitialVolume = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : false; - - value = Math.min(100, Math.max(value, 0)); - // this will hold the intended volume - // it may not actually get set to this straight away - // if the container is not ready etc - this.intendedVolume = value; - this.persistConfig && !isInitialVolume && _utils.Config.persist('volume', value); - var setWhenContainerReady = function setWhenContainerReady() { - if (_this4.container && _this4.container.isReady) { - _this4.container.setVolume(value); + MediaControl.prototype.changeTogglePlay = function changeTogglePlay() { + this.$playPauseToggle.html(''); + this.$playStopToggle.html(''); + if (this.container && this.container.isPlaying()) { + this.$playPauseToggle.append(_utils.SvgIcons.pause); + this.$playStopToggle.append(_utils.SvgIcons.stop); + this.trigger(_events2.default.MEDIACONTROL_PLAYING); } else { - _this4.listenToOnce(_this4.container, _events2.default.CONTAINER_READY, function () { - _this4.container.setVolume(value); - }); + this.$playPauseToggle.append(_utils.SvgIcons.play); + this.$playStopToggle.append(_utils.SvgIcons.play); + this.trigger(_events2.default.MEDIACONTROL_NOTPLAYING); + _browser2.default.isMobile && this.show(); + } + this.applyButtonStyle(this.$playPauseToggle); + this.applyButtonStyle(this.$playStopToggle); + }; + + MediaControl.prototype.mousemoveOnSeekBar = function mousemoveOnSeekBar(event) { + if (this.settings.seekEnabled) { + var offsetX = event.pageX - this.$seekBarContainer.offset().left - this.$seekBarHover.width() / 2; + this.$seekBarHover.css({ left: offsetX }); } + this.trigger(_events2.default.MEDIACONTROL_MOUSEMOVE_SEEKBAR, event); }; - if (!this.container) this.listenToOnce(this, _events2.default.MEDIACONTROL_CONTAINERCHANGED, function () { - return setWhenContainerReady(); - });else setWhenContainerReady(); - }; - - MediaControl.prototype.toggleFullscreen = function toggleFullscreen() { - this.trigger(_events2.default.MEDIACONTROL_FULLSCREEN, this.name); - this.container.fullscreen(); - this.core.toggleFullscreen(); - this.resetUserKeepVisible(); - }; + MediaControl.prototype.mouseleaveOnSeekBar = function mouseleaveOnSeekBar(event) { + this.trigger(_events2.default.MEDIACONTROL_MOUSELEAVE_SEEKBAR, event); + }; - MediaControl.prototype.onActiveContainerChanged = function onActiveContainerChanged() { - this.fullScreenOnVideoTagSupported = null; - this.bindEvents(); - _mediator2.default.off(this.options.playerId + ':' + _events2.default.PLAYER_RESIZE, this.playerResize, this); - // set the new container to match the volume of the last one - this.setInitialVolume(); - this.changeTogglePlay(); - this.bindContainerEvents(); - this.settingsUpdate(); - this.container && this.container.trigger(_events2.default.CONTAINER_PLAYBACKDVRSTATECHANGED, this.container.isDvrInUse()); - this.container && this.container.mediaControlDisabled && this.disable(); - this.trigger(_events2.default.MEDIACONTROL_CONTAINERCHANGED); - }; + MediaControl.prototype.onVolumeClick = function onVolumeClick(event) { + this.setVolume(this.getVolumeFromUIEvent(event)); + }; - MediaControl.prototype.showVolumeBar = function showVolumeBar() { - this.hideVolumeId && clearTimeout(this.hideVolumeId); - this.$volumeBarContainer.removeClass('volume-bar-hide'); - }; + MediaControl.prototype.mousemoveOnVolumeBar = function mousemoveOnVolumeBar(event) { + this.draggingVolumeBar && this.setVolume(this.getVolumeFromUIEvent(event)); + }; - MediaControl.prototype.hideVolumeBar = function hideVolumeBar() { - var _this5 = this; + MediaControl.prototype.playerResize = function playerResize(size) { + this.$fullscreenToggle.html(''); + var icon = this.core.isFullscreen() ? _utils.SvgIcons.exitFullscreen : _utils.SvgIcons.fullscreen; + this.$fullscreenToggle.append(icon); + this.applyButtonStyle(this.$fullscreenToggle); + this.$el.find('.media-control').length !== 0 && this.$el.removeClass('w320'); + if (size.width <= 320 || this.options.hideVolumeBar) this.$el.addClass('w320'); + }; - var timeout = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : 400; + MediaControl.prototype.togglePlayPause = function togglePlayPause() { + this.container.isPlaying() ? this.container.pause() : this.container.play(); + return false; + }; - if (!this.$volumeBarContainer) return; - if (this.draggingVolumeBar) { - this.hideVolumeId = setTimeout(function () { - return _this5.hideVolumeBar(); - }, timeout); - } else { - this.hideVolumeId && clearTimeout(this.hideVolumeId); - this.hideVolumeId = setTimeout(function () { - return _this5.$volumeBarContainer.addClass('volume-bar-hide'); - }, timeout); - } - }; + MediaControl.prototype.togglePlayStop = function togglePlayStop() { + this.container.isPlaying() ? this.container.stop() : this.container.play(); + }; - MediaControl.prototype.ended = function ended() { - this.changeTogglePlay(); - }; + MediaControl.prototype.startSeekDrag = function startSeekDrag(event) { + if (!this.settings.seekEnabled) return; + this.draggingSeekBar = true; + this.$el.addClass('dragging'); + this.$seekBarLoaded.addClass('media-control-notransition'); + this.$seekBarPosition.addClass('media-control-notransition'); + this.$seekBarScrubber.addClass('media-control-notransition'); + event && event.preventDefault(); + }; - MediaControl.prototype.updateProgressBar = function updateProgressBar(progress) { - var loadedStart = progress.start / progress.total * 100; - var loadedEnd = progress.current / progress.total * 100; - this.$seekBarLoaded.css({ left: loadedStart + '%', width: loadedEnd - loadedStart + '%' }); - }; + MediaControl.prototype.startVolumeDrag = function startVolumeDrag(event) { + this.draggingVolumeBar = true; + this.$el.addClass('dragging'); + event && event.preventDefault(); + }; - MediaControl.prototype.onTimeUpdate = function onTimeUpdate(timeProgress) { - if (this.draggingSeekBar) return; - // TODO why should current time ever be negative? - var position = timeProgress.current < 0 ? timeProgress.total : timeProgress.current; + MediaControl.prototype.stopDrag = function stopDrag(event) { + this.draggingSeekBar && this.seek(event); + this.$el.removeClass('dragging'); + this.$seekBarLoaded.removeClass('media-control-notransition'); + this.$seekBarPosition.removeClass('media-control-notransition'); + this.$seekBarScrubber.removeClass('media-control-notransition dragging'); + this.draggingSeekBar = false; + this.draggingVolumeBar = false; + }; - this.currentPositionValue = position; - this.currentDurationValue = timeProgress.total; - this.renderSeekBar(); - }; + MediaControl.prototype.updateDrag = function updateDrag(event) { + if (this.draggingSeekBar) { + event.preventDefault(); + var offsetX = event.pageX - this.$seekBarContainer.offset().left; + var pos = offsetX / this.$seekBarContainer.width() * 100; + pos = Math.min(100, Math.max(pos, 0)); + this.setSeekPercentage(pos); + } else if (this.draggingVolumeBar) { + event.preventDefault(); + this.setVolume(this.getVolumeFromUIEvent(event)); + } + }; - MediaControl.prototype.renderSeekBar = function renderSeekBar() { - // this will be triggered as soon as these become available - if (this.currentPositionValue === null || this.currentDurationValue === null) return; + MediaControl.prototype.getVolumeFromUIEvent = function getVolumeFromUIEvent(event) { + var offsetY = event.pageX - this.$volumeBarContainer.offset().left; + var volumeFromUI = offsetY / this.$volumeBarContainer.width() * 100; + return volumeFromUI; + }; - // default to 100% - this.currentSeekBarPercentage = 100; - if (this.container && (this.container.getPlaybackType() !== _playback2.default.LIVE || this.container.isDvrInUse())) this.currentSeekBarPercentage = this.currentPositionValue / this.currentDurationValue * 100; + MediaControl.prototype.toggleMute = function toggleMute() { + if (this.muted) { + this.setVolume(this._mutedVolume || 100); + this._mutedVolume = null; + return; + } - this.setSeekPercentage(this.currentSeekBarPercentage); + this._mutedVolume = this.volume; + this.setVolume(0); + }; - var newPosition = (0, _utils.formatTime)(this.currentPositionValue); - var newDuration = (0, _utils.formatTime)(this.currentDurationValue); - if (newPosition !== this.displayedPosition) { - this.$position.text(newPosition); - this.displayedPosition = newPosition; - } - if (newDuration !== this.displayedDuration) { - this.$duration.text(newDuration); - this.displayedDuration = newDuration; - } - }; + MediaControl.prototype.setVolume = function setVolume(value) { + var _this4 = this; - MediaControl.prototype.seek = function seek(event) { - if (!this.settings.seekEnabled) return; - var offsetX = event.pageX - this.$seekBarContainer.offset().left; - var pos = offsetX / this.$seekBarContainer.width() * 100; - pos = Math.min(100, Math.max(pos, 0)); - this.container && this.container.seekPercentage(pos); - this.setSeekPercentage(pos); - return false; - }; + var isInitialVolume = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : false; - MediaControl.prototype.setKeepVisible = function setKeepVisible() { - this.keepVisible = true; - }; + value = Math.min(100, Math.max(value, 0)); + // this will hold the intended volume + // it may not actually get set to this straight away + // if the container is not ready etc + this.intendedVolume = value; + this.persistConfig && !isInitialVolume && _utils.Config.persist('volume', value); + var setWhenContainerReady = function setWhenContainerReady() { + if (_this4.container && _this4.container.isReady) { + _this4.container.setVolume(value); + } else { + _this4.listenToOnce(_this4.container, _events2.default.CONTAINER_READY, function () { + _this4.container.setVolume(value); + }); + } + }; - MediaControl.prototype.resetKeepVisible = function resetKeepVisible() { - this.keepVisible = false; - }; + if (!this.container) this.listenToOnce(this, _events2.default.MEDIACONTROL_CONTAINERCHANGED, function () { + return setWhenContainerReady(); + });else setWhenContainerReady(); + }; - MediaControl.prototype.setUserKeepVisible = function setUserKeepVisible() { - this.userKeepVisible = true; - }; + MediaControl.prototype.toggleFullscreen = function toggleFullscreen() { + this.trigger(_events2.default.MEDIACONTROL_FULLSCREEN, this.name); + this.container.fullscreen(); + this.core.toggleFullscreen(); + this.resetUserKeepVisible(); + }; - MediaControl.prototype.resetUserKeepVisible = function resetUserKeepVisible() { - this.userKeepVisible = false; - }; + MediaControl.prototype.onActiveContainerChanged = function onActiveContainerChanged() { + this.fullScreenOnVideoTagSupported = null; + _mediator2.default.off(this.options.playerId + ':' + _events2.default.PLAYER_RESIZE, this.playerResize, this); + this.bindEvents(); + // set the new container to match the volume of the last one + this.setInitialVolume(); + this.changeTogglePlay(); + this.bindContainerEvents(); + this.settingsUpdate(); + this.container && this.container.trigger(_events2.default.CONTAINER_PLAYBACKDVRSTATECHANGED, this.container.isDvrInUse()); + this.container && this.container.mediaControlDisabled && this.disable(); + this.trigger(_events2.default.MEDIACONTROL_CONTAINERCHANGED); + }; - MediaControl.prototype.isVisible = function isVisible() { - return !this.$el.hasClass('media-control-hide'); - }; + MediaControl.prototype.showVolumeBar = function showVolumeBar() { + this.hideVolumeId && clearTimeout(this.hideVolumeId); + this.$volumeBarContainer.removeClass('volume-bar-hide'); + }; - MediaControl.prototype.show = function show(event) { - var _this6 = this; + MediaControl.prototype.hideVolumeBar = function hideVolumeBar() { + var _this5 = this; - if (this.disabled) return; + var timeout = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : 400; - var timeout = 2000; - var mousePointerMoved = event && event.clientX !== this.lastMouseX && event.clientY !== this.lastMouseY; - if (!event || mousePointerMoved || navigator.userAgent.match(/firefox/i)) { - clearTimeout(this.hideId); - this.$el.show(); - this.trigger(_events2.default.MEDIACONTROL_SHOW, this.name); - this.container && this.container.trigger(_events2.default.CONTAINER_MEDIACONTROL_SHOW, this.name); - this.$el.removeClass('media-control-hide'); - this.hideId = setTimeout(function () { - return _this6.hide(); - }, timeout); - if (event) { - this.lastMouseX = event.clientX; - this.lastMouseY = event.clientY; + if (!this.$volumeBarContainer) return; + if (this.draggingVolumeBar) { + this.hideVolumeId = setTimeout(function () { + return _this5.hideVolumeBar(); + }, timeout); + } else { + this.hideVolumeId && clearTimeout(this.hideVolumeId); + this.hideVolumeId = setTimeout(function () { + return _this5.$volumeBarContainer.addClass('volume-bar-hide'); + }, timeout); } - } - var showing = true; - this.updateCursorStyle(showing); - }; - - MediaControl.prototype.hide = function hide() { - var _this7 = this; + }; - var delay = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : 0; + MediaControl.prototype.ended = function ended() { + this.changeTogglePlay(); + }; - if (!this.isVisible()) return; + MediaControl.prototype.updateProgressBar = function updateProgressBar(progress) { + var loadedStart = progress.start / progress.total * 100; + var loadedEnd = progress.current / progress.total * 100; + this.$seekBarLoaded.css({ left: loadedStart + '%', width: loadedEnd - loadedStart + '%' }); + }; - var timeout = delay || 2000; - clearTimeout(this.hideId); - if (!this.disabled && this.options.hideMediaControl === false) return; + MediaControl.prototype.onTimeUpdate = function onTimeUpdate(timeProgress) { + if (this.draggingSeekBar) return; + // TODO why should current time ever be negative? + var position = timeProgress.current < 0 ? timeProgress.total : timeProgress.current; - var hasKeepVisibleRequested = this.userKeepVisible || this.keepVisible; - var hasDraggingAction = this.draggingSeekBar || this.draggingVolumeBar; + this.currentPositionValue = position; + this.currentDurationValue = timeProgress.total; + this.renderSeekBar(); + }; - if (!this.disabled && (delay || hasKeepVisibleRequested || hasDraggingAction)) { - this.hideId = setTimeout(function () { - return _this7.hide(); - }, timeout); - } else { - this.trigger(_events2.default.MEDIACONTROL_HIDE, this.name); - this.container && this.container.trigger(_events2.default.CONTAINER_MEDIACONTROL_HIDE, this.name); - this.$el.addClass('media-control-hide'); - this.hideVolumeBar(0); - var showing = false; - this.updateCursorStyle(showing); - } - }; + MediaControl.prototype.renderSeekBar = function renderSeekBar() { + // this will be triggered as soon as these become available + if (this.currentPositionValue === null || this.currentDurationValue === null) return; - MediaControl.prototype.updateCursorStyle = function updateCursorStyle(showing) { - if (showing) this.core.$el.removeClass('nocursor');else if (_utils.Fullscreen.isFullscreen()) this.core.$el.addClass('nocursor'); - }; + // default to 100% + this.currentSeekBarPercentage = 100; + if (this.container && (this.container.getPlaybackType() !== _playback2.default.LIVE || this.container.isDvrInUse())) this.currentSeekBarPercentage = this.currentPositionValue / this.currentDurationValue * 100; - MediaControl.prototype.settingsUpdate = function settingsUpdate() { - var newSettings = this.getSettings(); - if (newSettings && !this.fullScreenOnVideoTagSupported && !_utils.Fullscreen.fullscreenEnabled()) { - // remove fullscreen from settings if it is present - newSettings.default && (0, _utils.removeArrayItem)(newSettings.default, 'fullscreen'); - newSettings.left && (0, _utils.removeArrayItem)(newSettings.left, 'fullscreen'); - newSettings.right && (0, _utils.removeArrayItem)(newSettings.right, 'fullscreen'); - } - var settingsChanged = (0, _stringify2.default)(this.settings) !== (0, _stringify2.default)(newSettings); - if (settingsChanged) { - this.settings = newSettings; - this.render(); - } - }; + this.setSeekPercentage(this.currentSeekBarPercentage); - MediaControl.prototype.getSettings = function getSettings() { - return _clapprZepto2.default.extend(true, {}, this.container && this.container.settings); - }; + var newPosition = (0, _utils.formatTime)(this.currentPositionValue); + var newDuration = (0, _utils.formatTime)(this.currentDurationValue); + if (newPosition !== this.displayedPosition) { + this.$position.text(newPosition); + this.displayedPosition = newPosition; + } + if (newDuration !== this.displayedDuration) { + this.$duration.text(newDuration); + this.displayedDuration = newDuration; + } + }; - MediaControl.prototype.highDefinitionUpdate = function highDefinitionUpdate(isHD) { - this.isHD = isHD; - var method = isHD ? 'addClass' : 'removeClass'; - this.$hdIndicator[method]('enabled'); - }; + MediaControl.prototype.seek = function seek(event) { + if (!this.settings.seekEnabled) return; + var offsetX = event.pageX - this.$seekBarContainer.offset().left; + var pos = offsetX / this.$seekBarContainer.width() * 100; + pos = Math.min(100, Math.max(pos, 0)); + this.container && this.container.seekPercentage(pos); + this.setSeekPercentage(pos); + return false; + }; - MediaControl.prototype.createCachedElements = function createCachedElements() { - var $layer = this.$el.find('.media-control-layer'); - this.$duration = $layer.find('.media-control-indicator[data-duration]'); - this.$fullscreenToggle = $layer.find('button.media-control-button[data-fullscreen]'); - this.$playPauseToggle = $layer.find('button.media-control-button[data-playpause]'); - this.$playStopToggle = $layer.find('button.media-control-button[data-playstop]'); - this.$position = $layer.find('.media-control-indicator[data-position]'); - this.$seekBarContainer = $layer.find('.bar-container[data-seekbar]'); - this.$seekBarHover = $layer.find('.bar-hover[data-seekbar]'); - this.$seekBarLoaded = $layer.find('.bar-fill-1[data-seekbar]'); - this.$seekBarPosition = $layer.find('.bar-fill-2[data-seekbar]'); - this.$seekBarScrubber = $layer.find('.bar-scrubber[data-seekbar]'); - this.$volumeBarContainer = $layer.find('.bar-container[data-volume]'); - this.$volumeContainer = $layer.find('.drawer-container[data-volume]'); - this.$volumeIcon = $layer.find('.drawer-icon[data-volume]'); - this.$volumeBarBackground = this.$el.find('.bar-background[data-volume]'); - this.$volumeBarFill = this.$el.find('.bar-fill-1[data-volume]'); - this.$volumeBarScrubber = this.$el.find('.bar-scrubber[data-volume]'); - this.$hdIndicator = this.$el.find('button.media-control-button[data-hd-indicator]'); - this.resetIndicators(); - this.initializeIcons(); - }; + MediaControl.prototype.setKeepVisible = function setKeepVisible() { + this.keepVisible = true; + }; - MediaControl.prototype.resetIndicators = function resetIndicators() { - this.displayedPosition = this.$position.text(); - this.displayedDuration = this.$duration.text(); - }; + MediaControl.prototype.resetKeepVisible = function resetKeepVisible() { + this.keepVisible = false; + }; - MediaControl.prototype.initializeIcons = function initializeIcons() { - var $layer = this.$el.find('.media-control-layer'); - $layer.find('button.media-control-button[data-play]').append(_play2.default); - $layer.find('button.media-control-button[data-pause]').append(_pause2.default); - $layer.find('button.media-control-button[data-stop]').append(_stop2.default); - this.$playPauseToggle.append(_play2.default); - this.$playStopToggle.append(_play2.default); - this.$volumeIcon.append(_volume2.default); - this.$fullscreenToggle.append(_expand2.default); - this.$hdIndicator.append(_hd2.default); - }; + MediaControl.prototype.setUserKeepVisible = function setUserKeepVisible() { + this.userKeepVisible = true; + }; - MediaControl.prototype.setSeekPercentage = function setSeekPercentage(value) { - value = Math.max(Math.min(value, 100.0), 0); - // not changed since last update - if (this.displayedSeekBarPercentage === value) return; + MediaControl.prototype.resetUserKeepVisible = function resetUserKeepVisible() { + this.userKeepVisible = false; + }; - this.displayedSeekBarPercentage = value; - this.$seekBarPosition.removeClass('media-control-notransition'); - this.$seekBarScrubber.removeClass('media-control-notransition'); - this.$seekBarPosition.css({ width: value + '%' }); - this.$seekBarScrubber.css({ left: value + '%' }); - }; + MediaControl.prototype.isVisible = function isVisible() { + return !this.$el.hasClass('media-control-hide'); + }; - MediaControl.prototype.seekRelative = function seekRelative(delta) { - if (!this.settings.seekEnabled) return; + MediaControl.prototype.show = function show(event) { + var _this6 = this; + + if (this.disabled) return; + + var timeout = 2000; + var mousePointerMoved = event && event.clientX !== this.lastMouseX && event.clientY !== this.lastMouseY; + if (!event || mousePointerMoved || navigator.userAgent.match(/firefox/i)) { + clearTimeout(this.hideId); + this.$el.show(); + this.trigger(_events2.default.MEDIACONTROL_SHOW, this.name); + this.container && this.container.trigger(_events2.default.CONTAINER_MEDIACONTROL_SHOW, this.name); + this.$el.removeClass('media-control-hide'); + this.hideId = setTimeout(function () { + return _this6.hide(); + }, timeout); + if (event) { + this.lastMouseX = event.clientX; + this.lastMouseY = event.clientY; + } + } + var showing = true; + this.updateCursorStyle(showing); + }; - var currentTime = this.container.getCurrentTime(); - var duration = this.container.getDuration(); - var position = Math.min(Math.max(currentTime + delta, 0), duration); - position = Math.min(position * 100 / duration, 100); - this.container.seekPercentage(position); - }; + MediaControl.prototype.hide = function hide() { + var _this7 = this; - MediaControl.prototype.bindKeyAndShow = function bindKeyAndShow(key, callback) { - var _this8 = this; + var delay = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : 0; - this.kibo.down(key, function () { - _this8.show(); - return callback(); - }); - }; + if (!this.isVisible()) return; - MediaControl.prototype.bindKeyEvents = function bindKeyEvents() { - var _this9 = this; + var timeout = delay || 2000; + clearTimeout(this.hideId); + if (!this.disabled && this.options.hideMediaControl === false) return; - if (_browser2.default.isMobile || this.options.disableKeyboardShortcuts) return; + var hasKeepVisibleRequested = this.userKeepVisible || this.keepVisible; + var hasDraggingAction = this.draggingSeekBar || this.draggingVolumeBar; - this.unbindKeyEvents(); - this.kibo = new _vendor.Kibo(this.options.focusElement || this.options.parentElement); - this.bindKeyAndShow('space', function () { - return _this9.togglePlayPause(); - }); - this.bindKeyAndShow('left', function () { - return _this9.seekRelative(-5); - }); - this.bindKeyAndShow('right', function () { - return _this9.seekRelative(5); - }); - this.bindKeyAndShow('shift left', function () { - return _this9.seekRelative(-10); - }); - this.bindKeyAndShow('shift right', function () { - return _this9.seekRelative(10); - }); - this.bindKeyAndShow('shift ctrl left', function () { - return _this9.seekRelative(-15); - }); - this.bindKeyAndShow('shift ctrl right', function () { - return _this9.seekRelative(15); - }); - var keys = ['1', '2', '3', '4', '5', '6', '7', '8', '9', '0']; - keys.forEach(function (i) { - _this9.bindKeyAndShow(i, function () { - _this9.settings.seekEnabled && _this9.container && _this9.container.seekPercentage(i * 10); - }); - }); - }; + if (!this.disabled && (delay || hasKeepVisibleRequested || hasDraggingAction)) { + this.hideId = setTimeout(function () { + return _this7.hide(); + }, timeout); + } else { + this.trigger(_events2.default.MEDIACONTROL_HIDE, this.name); + this.container && this.container.trigger(_events2.default.CONTAINER_MEDIACONTROL_HIDE, this.name); + this.$el.addClass('media-control-hide'); + this.hideVolumeBar(0); + var showing = false; + this.updateCursorStyle(showing); + } + }; - MediaControl.prototype.unbindKeyEvents = function unbindKeyEvents() { - if (this.kibo) { - this.kibo.off('space'); - this.kibo.off('left'); - this.kibo.off('right'); - this.kibo.off('shift left'); - this.kibo.off('shift right'); - this.kibo.off('shift ctrl left'); - this.kibo.off('shift ctrl right'); - this.kibo.off(['1', '2', '3', '4', '5', '6', '7', '8', '9', '0']); - } - }; + MediaControl.prototype.updateCursorStyle = function updateCursorStyle(showing) { + if (showing) this.core.$el.removeClass('nocursor');else if (this.core.isFullscreen()) this.core.$el.addClass('nocursor'); + }; - MediaControl.prototype.parseColors = function parseColors() { - if (this.options.mediacontrol) { - this.buttonsColor = this.options.mediacontrol.buttons; - var seekbarColor = this.options.mediacontrol.seekbar; - this.$el.find('.bar-fill-2[data-seekbar]').css('background-color', seekbarColor); - this.$el.find('.media-control-icon svg path').css('fill', this.buttonsColor); - this.$el.find('.segmented-bar-element[data-volume]').css('boxShadow', 'inset 2px 0 0 ' + this.buttonsColor); - } - }; + MediaControl.prototype.settingsUpdate = function settingsUpdate() { + var newSettings = this.getSettings(); + if (newSettings && !this.fullScreenOnVideoTagSupported && !_utils.Fullscreen.fullscreenEnabled()) { + // remove fullscreen from settings if it is present + newSettings.default && (0, _utils.removeArrayItem)(newSettings.default, 'fullscreen'); + newSettings.left && (0, _utils.removeArrayItem)(newSettings.left, 'fullscreen'); + newSettings.right && (0, _utils.removeArrayItem)(newSettings.right, 'fullscreen'); + } + var settingsChanged = (0, _stringify2.default)(this.settings) !== (0, _stringify2.default)(newSettings); + if (settingsChanged) { + this.settings = newSettings; + this.render(); + } + }; - MediaControl.prototype.applyButtonStyle = function applyButtonStyle(element) { - this.buttonsColor && element && (0, _clapprZepto2.default)(element).find('svg path').css('fill', this.buttonsColor); - }; + MediaControl.prototype.getSettings = function getSettings() { + return _clapprZepto2.default.extend(true, {}, this.container && this.container.settings); + }; - MediaControl.prototype.destroy = function destroy() { - (0, _clapprZepto2.default)(document).unbind('mouseup', this.stopDragHandler); - (0, _clapprZepto2.default)(document).unbind('mousemove', this.updateDragHandler); - this.unbindKeyEvents(); - this.stopListening(); - _UICorePlugin.prototype.destroy.call(this); - }; + MediaControl.prototype.highDefinitionUpdate = function highDefinitionUpdate(isHD) { + this.isHD = isHD; + var method = isHD ? 'addClass' : 'removeClass'; + this.$hdIndicator[method]('enabled'); + }; - /** - * enables to configure the media control after its creation - * @method configure - * @param {Object} options all the options to change in form of a javascript object - */ + MediaControl.prototype.createCachedElements = function createCachedElements() { + var $layer = this.$el.find('.media-control-layer'); + this.$duration = $layer.find('.media-control-indicator[data-duration]'); + this.$fullscreenToggle = $layer.find('button.media-control-button[data-fullscreen]'); + this.$playPauseToggle = $layer.find('button.media-control-button[data-playpause]'); + this.$playStopToggle = $layer.find('button.media-control-button[data-playstop]'); + this.$position = $layer.find('.media-control-indicator[data-position]'); + this.$seekBarContainer = $layer.find('.bar-container[data-seekbar]'); + this.$seekBarHover = $layer.find('.bar-hover[data-seekbar]'); + this.$seekBarLoaded = $layer.find('.bar-fill-1[data-seekbar]'); + this.$seekBarPosition = $layer.find('.bar-fill-2[data-seekbar]'); + this.$seekBarScrubber = $layer.find('.bar-scrubber[data-seekbar]'); + this.$volumeBarContainer = $layer.find('.bar-container[data-volume]'); + this.$volumeContainer = $layer.find('.drawer-container[data-volume]'); + this.$volumeIcon = $layer.find('.drawer-icon[data-volume]'); + this.$volumeBarBackground = this.$el.find('.bar-background[data-volume]'); + this.$volumeBarFill = this.$el.find('.bar-fill-1[data-volume]'); + this.$volumeBarScrubber = this.$el.find('.bar-scrubber[data-volume]'); + this.$hdIndicator = this.$el.find('button.media-control-button[data-hd-indicator]'); + this.resetIndicators(); + this.initializeIcons(); + }; + MediaControl.prototype.resetIndicators = function resetIndicators() { + this.displayedPosition = this.$position.text(); + this.displayedDuration = this.$duration.text(); + }; - MediaControl.prototype.configure = function configure() { - this.options.chromeless ? this.disable() : this.enable(); - this.trigger(_events2.default.MEDIACONTROL_OPTIONS_CHANGE); - }; + MediaControl.prototype.initializeIcons = function initializeIcons() { + var $layer = this.$el.find('.media-control-layer'); + $layer.find('button.media-control-button[data-play]').append(_utils.SvgIcons.play); + $layer.find('button.media-control-button[data-pause]').append(_utils.SvgIcons.pause); + $layer.find('button.media-control-button[data-stop]').append(_utils.SvgIcons.stop); + this.$playPauseToggle.append(_utils.SvgIcons.play); + this.$playStopToggle.append(_utils.SvgIcons.play); + this.$volumeIcon.append(_utils.SvgIcons.volume); + this.$fullscreenToggle.append(_utils.SvgIcons.fullscreen); + this.$hdIndicator.append(_utils.SvgIcons.hd); + }; - MediaControl.prototype.render = function render() { - var _this10 = this; + MediaControl.prototype.setSeekPercentage = function setSeekPercentage(value) { + value = Math.max(Math.min(value, 100.0), 0); + // not changed since last update + if (this.displayedSeekBarPercentage === value) return; - var timeout = this.options.hideMediaControlDelay || 2000; - this.settings && this.$el.html(this.template({ settings: this.settings })); - this.createCachedElements(); - this.$playPauseToggle.addClass('paused'); - this.$playStopToggle.addClass('stopped'); + this.displayedSeekBarPercentage = value; + this.$seekBarPosition.removeClass('media-control-notransition'); + this.$seekBarScrubber.removeClass('media-control-notransition'); + this.$seekBarPosition.css({ width: value + '%' }); + this.$seekBarScrubber.css({ left: value + '%' }); + }; - this.changeTogglePlay(); + MediaControl.prototype.seekRelative = function seekRelative(delta) { + if (!this.settings.seekEnabled) return; - if (this.container) { - this.hideId = setTimeout(function () { - return _this10.hide(); - }, timeout); - this.disabled && this.hide(); - } + var currentTime = this.container.getCurrentTime(); + var duration = this.container.getDuration(); + var position = Math.min(Math.max(currentTime + delta, 0), duration); + position = Math.min(position * 100 / duration, 100); + this.container.seekPercentage(position); + }; - // Video volume cannot be changed with Safari on mobile devices - // Display mute/unmute icon only if Safari version >= 10 - if (_browser2.default.isSafari && _browser2.default.isMobile) { - if (_browser2.default.version < 10) this.$volumeContainer.css('display', 'none');else this.$volumeBarContainer.css('display', 'none'); - } + MediaControl.prototype.bindKeyAndShow = function bindKeyAndShow(key, callback) { + var _this8 = this; - this.$seekBarPosition.addClass('media-control-notransition'); - this.$seekBarScrubber.addClass('media-control-notransition'); + this.kibo.down(key, function () { + _this8.show(); + return callback(); + }); + }; - var previousSeekPercentage = 0; - if (this.displayedSeekBarPercentage) previousSeekPercentage = this.displayedSeekBarPercentage; + MediaControl.prototype.bindKeyEvents = function bindKeyEvents() { + var _this9 = this; - this.displayedSeekBarPercentage = null; - this.setSeekPercentage(previousSeekPercentage); + if (_browser2.default.isMobile || this.options.disableKeyboardShortcuts) return; - process.nextTick(function () { - !_this10.settings.seekEnabled && _this10.$seekBarContainer.addClass('seek-disabled'); - !_browser2.default.isMobile && !_this10.options.disableKeyboardShortcuts && _this10.bindKeyEvents(); - _this10.playerResize({ width: _this10.options.width, height: _this10.options.height }); - _this10.hideVolumeBar(0); - }); + this.unbindKeyEvents(); + this.kibo = new _vendor.Kibo(this.options.focusElement || this.options.parentElement); + this.bindKeyAndShow('space', function () { + return _this9.togglePlayPause(); + }); + this.bindKeyAndShow('left', function () { + return _this9.seekRelative(-5); + }); + this.bindKeyAndShow('right', function () { + return _this9.seekRelative(5); + }); + this.bindKeyAndShow('shift left', function () { + return _this9.seekRelative(-10); + }); + this.bindKeyAndShow('shift right', function () { + return _this9.seekRelative(10); + }); + this.bindKeyAndShow('shift ctrl left', function () { + return _this9.seekRelative(-15); + }); + this.bindKeyAndShow('shift ctrl right', function () { + return _this9.seekRelative(15); + }); + var keys = ['1', '2', '3', '4', '5', '6', '7', '8', '9', '0']; + keys.forEach(function (i) { + _this9.bindKeyAndShow(i, function () { + _this9.settings.seekEnabled && _this9.container && _this9.container.seekPercentage(i * 10); + }); + }); + }; - this.parseColors(); - this.highDefinitionUpdate(this.isHD); + MediaControl.prototype.unbindKeyEvents = function unbindKeyEvents() { + if (this.kibo) { + this.kibo.off('space'); + this.kibo.off('left'); + this.kibo.off('right'); + this.kibo.off('shift left'); + this.kibo.off('shift right'); + this.kibo.off('shift ctrl left'); + this.kibo.off('shift ctrl right'); + this.kibo.off(['1', '2', '3', '4', '5', '6', '7', '8', '9', '0']); + } + }; - this.core.$el.append(this.el); + MediaControl.prototype.parseColors = function parseColors() { + if (this.options.mediacontrol) { + this.buttonsColor = this.options.mediacontrol.buttons; + var seekbarColor = this.options.mediacontrol.seekbar; + this.$el.find('.bar-fill-2[data-seekbar]').css('background-color', seekbarColor); + this.$el.find('.media-control-icon svg path').css('fill', this.buttonsColor); + this.$el.find('.segmented-bar-element[data-volume]').css('boxShadow', 'inset 2px 0 0 ' + this.buttonsColor); + } + }; - this.rendered = true; - this.updateVolumeUI(); - this.trigger(_events2.default.MEDIACONTROL_RENDERED); - return this; - }; + MediaControl.prototype.applyButtonStyle = function applyButtonStyle(element) { + this.buttonsColor && element && (0, _clapprZepto2.default)(element).find('svg path').css('fill', this.buttonsColor); + }; - return MediaControl; - }(_ui_core_plugin2.default); // Copyright 2014 Globo.com Player authors. All rights reserved. -// Use of this source code is governed by a BSD-style -// license that can be found in the LICENSE file. + MediaControl.prototype.destroy = function destroy() { + (0, _clapprZepto2.default)(document).unbind('mouseup', this.stopDragHandler); + (0, _clapprZepto2.default)(document).unbind('mousemove', this.updateDragHandler); + this.unbindKeyEvents(); + this.stopListening(); + _UICorePlugin.prototype.destroy.call(this); + }; - /** - * The MediaControl is responsible for displaying the Player controls. - */ + /** + * enables to configure the media control after its creation + * @method configure + * @param {Object} options all the options to change in form of a javascript object + */ - exports.default = MediaControl; + MediaControl.prototype.configure = function configure(options) { + // Check if chromeless mode or if configure is called with new source(s) + if (this.options.chromeless || options.source || options.sources) this.disable();else this.enable(); - MediaControl.extend = function (properties) { - return (0, _utils.extend)(MediaControl, properties); - }; - module.exports = exports['default']; - /* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(62))) + this.trigger(_events2.default.MEDIACONTROL_OPTIONS_CHANGE); + }; - /***/ }), - /* 214 */ - /***/ (function(module, exports, __webpack_require__) { + MediaControl.prototype.render = function render() { + var _this10 = this; + var timeout = this.options.hideMediaControlDelay || 2000; + this.settings && this.$el.html(this.template({ settings: this.settings })); + this.createCachedElements(); + this.$playPauseToggle.addClass('paused'); + this.$playStopToggle.addClass('stopped'); - var content = __webpack_require__(215); + this.changeTogglePlay(); - if(typeof content === 'string') content = [[module.i, content, '']]; + if (this.container) { + this.hideId = setTimeout(function () { + return _this10.hide(); + }, timeout); + this.disabled && this.hide(); + } - var transform; - var insertInto; + // Video volume cannot be changed with Safari on mobile devices + // Display mute/unmute icon only if Safari version >= 10 + if (_browser2.default.isSafari && _browser2.default.isMobile) { + if (_browser2.default.version < 10) this.$volumeContainer.css('display', 'none');else this.$volumeBarContainer.css('display', 'none'); + } + this.$seekBarPosition.addClass('media-control-notransition'); + this.$seekBarScrubber.addClass('media-control-notransition'); + var previousSeekPercentage = 0; + if (this.displayedSeekBarPercentage) previousSeekPercentage = this.displayedSeekBarPercentage; - var options = {"singleton":true,"hmr":true} + this.displayedSeekBarPercentage = null; + this.setSeekPercentage(previousSeekPercentage); - options.transform = transform - options.insertInto = undefined; + process.nextTick(function () { + !_this10.settings.seekEnabled && _this10.$seekBarContainer.addClass('seek-disabled'); + !_browser2.default.isMobile && !_this10.options.disableKeyboardShortcuts && _this10.bindKeyEvents(); + _this10.playerResize({ width: _this10.options.width, height: _this10.options.height }); + _this10.hideVolumeBar(0); + }); - var update = __webpack_require__(9)(content, options); + this.parseColors(); + this.highDefinitionUpdate(this.isHD); - if(content.locals) module.exports = content.locals; + this.core.$el.append(this.el); - if(false) { - module.hot.accept("!!../../../../node_modules/css-loader/index.js!../../../../node_modules/postcss-loader/lib/index.js!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/bruno.torres/workspace/clappr/clappr/src/base/scss!./media-control.scss", function() { - var newContent = require("!!../../../../node_modules/css-loader/index.js!../../../../node_modules/postcss-loader/lib/index.js!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/bruno.torres/workspace/clappr/clappr/src/base/scss!./media-control.scss"); + this.rendered = true; + this.updateVolumeUI(); + this.trigger(_events2.default.MEDIACONTROL_RENDERED); + return this; + }; - if(typeof newContent === 'string') newContent = [[module.id, newContent, '']]; + return MediaControl; + }(_ui_core_plugin2.default); - var locals = (function(a, b) { - var key, idx = 0; + exports.default = MediaControl; - for(key in a) { - if(!b || a[key] !== b[key]) return false; - idx++; - } - for(key in b) idx--; + MediaControl.extend = function (properties) { + return (0, _utils.extend)(MediaControl, properties); + }; + module.exports = exports['default']; + /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(/*! ./../../../node_modules/node-libs-browser/node_modules/process/browser.js */ "./node_modules/node-libs-browser/node_modules/process/browser.js"))) - return idx === 0; - }(content.locals, newContent.locals)); + /***/ }), - if(!locals) throw new Error('Aborting CSS HMR due to changed css-modules locals.'); + /***/ "./src/plugins/media_control/public/closed-hand.cur": + /*!**********************************************************!*\ + !*** ./src/plugins/media_control/public/closed-hand.cur ***! + \**********************************************************/ + /*! no static exports found */ + /***/ (function(module, exports) { - update(newContent); - }); + module.exports = "<%=baseUrl%>/a8c874b93b3d848f39a71260c57e3863.cur"; - module.hot.dispose(function() { update(); }); - } + /***/ }), - /***/ }), - /* 215 */ - /***/ (function(module, exports, __webpack_require__) { + /***/ "./src/plugins/media_control/public/media-control.html": + /*!*************************************************************!*\ + !*** ./src/plugins/media_control/public/media-control.html ***! + \*************************************************************/ + /*! no static exports found */ + /***/ (function(module, exports) { - var escape = __webpack_require__(81); - exports = module.exports = __webpack_require__(8)(false); -// imports + module.exports = "<div class=\"media-control-background\" data-background></div>\n<div class=\"media-control-layer\" data-controls>\n <% var renderBar = function(name) { %>\n <div class=\"bar-container\" data-<%= name %>>\n <div class=\"bar-background\" data-<%= name %>>\n <div class=\"bar-fill-1\" data-<%= name %>></div>\n <div class=\"bar-fill-2\" data-<%= name %>></div>\n <div class=\"bar-hover\" data-<%= name %>></div>\n </div>\n <div class=\"bar-scrubber\" data-<%= name %>>\n <div class=\"bar-scrubber-icon\" data-<%= name %>></div>\n </div>\n </div>\n <% }; %>\n <% var renderSegmentedBar = function(name, segments) {\n segments = segments || 10; %>\n <div class=\"bar-container\" data-<%= name %>>\n <% for (var i = 0; i < segments; i++) { %>\n <div class=\"segmented-bar-element\" data-<%= name %>></div>\n <% } %>\n </div>\n <% }; %>\n <% var renderDrawer = function(name, renderContent) { %>\n <div class=\"drawer-container\" data-<%= name %>>\n <div class=\"drawer-icon-container\" data-<%= name %>>\n <div class=\"drawer-icon media-control-icon\" data-<%= name %>></div>\n <span class=\"drawer-text\" data-<%= name %>></span>\n </div>\n <% renderContent(name); %>\n </div>\n <% }; %>\n <% var renderIndicator = function(name) { %>\n <div class=\"media-control-indicator\" data-<%= name %>></div>\n <% }; %>\n <% var renderButton = function(name) { %>\n <button type=\"button\" class=\"media-control-button media-control-icon\" data-<%= name %> aria-label=\"<%= name %>\"></button>\n <% }; %>\n <% var templates = {\n bar: renderBar,\n segmentedBar: renderSegmentedBar,\n };\n var render = function(settingsList) {\n settingsList.forEach(function(setting) {\n if(setting === \"seekbar\") {\n renderBar(setting);\n } else if (setting === \"volume\") {\n renderDrawer(setting, settings.volumeBarTemplate ? templates[settings.volumeBarTemplate] : function(name) { return renderSegmentedBar(name); });\n } else if (setting === \"duration\" || setting === \"position\") {\n renderIndicator(setting);\n } else {\n renderButton(setting);\n }\n });\n }; %>\n <% if (settings.default && settings.default.length) { %>\n <div class=\"media-control-center-panel\" data-media-control>\n <% render(settings.default); %>\n </div>\n <% } %>\n <% if (settings.left && settings.left.length) { %>\n <div class=\"media-control-left-panel\" data-media-control>\n <% render(settings.left); %>\n </div>\n <% } %>\n <% if (settings.right && settings.right.length) { %>\n <div class=\"media-control-right-panel\" data-media-control>\n <% render(settings.right); %>\n </div>\n <% } %>\n</div>\n"; + /***/ }), -// module - exports.push([module.i, ".media-control-notransition {\n transition: none !important; }\n\n.media-control[data-media-control] {\n position: absolute;\n width: 100%;\n height: 100%;\n z-index: 9999;\n pointer-events: none; }\n .media-control[data-media-control].dragging {\n pointer-events: auto;\n cursor: -webkit-grabbing !important;\n cursor: grabbing !important;\n cursor: url(" + escape(__webpack_require__(96)) + "), move; }\n .media-control[data-media-control].dragging * {\n cursor: -webkit-grabbing !important;\n cursor: grabbing !important;\n cursor: url(" + escape(__webpack_require__(96)) + "), move; }\n .media-control[data-media-control] .media-control-background[data-background] {\n position: absolute;\n height: 40%;\n width: 100%;\n bottom: 0;\n background: linear-gradient(transparent, rgba(0, 0, 0, 0.9));\n transition: opacity 0.6s ease-out; }\n .media-control[data-media-control] .media-control-icon {\n line-height: 0;\n letter-spacing: 0;\n speak: none;\n color: #fff;\n opacity: 0.5;\n vertical-align: middle;\n text-align: left;\n transition: all 0.1s ease; }\n .media-control[data-media-control] .media-control-icon:hover {\n color: white;\n opacity: 0.75;\n text-shadow: rgba(255, 255, 255, 0.8) 0 0 5px; }\n .media-control[data-media-control].media-control-hide .media-control-background[data-background] {\n opacity: 0; }\n .media-control[data-media-control].media-control-hide .media-control-layer[data-controls] {\n bottom: -50px; }\n .media-control[data-media-control].media-control-hide .media-control-layer[data-controls] .bar-container[data-seekbar] .bar-scrubber[data-seekbar] {\n opacity: 0; }\n .media-control[data-media-control] .media-control-layer[data-controls] {\n position: absolute;\n bottom: 7px;\n width: 100%;\n height: 32px;\n font-size: 0;\n vertical-align: middle;\n pointer-events: auto;\n transition: bottom 0.4s ease-out; }\n .media-control[data-media-control] .media-control-layer[data-controls] .media-control-left-panel[data-media-control] {\n position: absolute;\n top: 0;\n left: 4px;\n height: 100%; }\n .media-control[data-media-control] .media-control-layer[data-controls] .media-control-center-panel[data-media-control] {\n height: 100%;\n text-align: center;\n line-height: 32px; }\n .media-control[data-media-control] .media-control-layer[data-controls] .media-control-right-panel[data-media-control] {\n position: absolute;\n top: 0;\n right: 4px;\n height: 100%; }\n .media-control[data-media-control] .media-control-layer[data-controls] button.media-control-button {\n background-color: transparent;\n border: 0;\n margin: 0 6px;\n padding: 0;\n cursor: pointer;\n display: inline-block;\n width: 32px;\n height: 100%; }\n .media-control[data-media-control] .media-control-layer[data-controls] button.media-control-button svg {\n width: 100%;\n height: 22px; }\n .media-control[data-media-control] .media-control-layer[data-controls] button.media-control-button svg path {\n fill: white; }\n .media-control[data-media-control] .media-control-layer[data-controls] button.media-control-button:focus {\n outline: none; }\n .media-control[data-media-control] .media-control-layer[data-controls] button.media-control-button[data-play] {\n float: left;\n height: 100%; }\n .media-control[data-media-control] .media-control-layer[data-controls] button.media-control-button[data-pause] {\n float: left;\n height: 100%; }\n .media-control[data-media-control] .media-control-layer[data-controls] button.media-control-button[data-stop] {\n float: left;\n height: 100%; }\n .media-control[data-media-control] .media-control-layer[data-controls] button.media-control-button[data-fullscreen] {\n float: right;\n background-color: transparent;\n border: 0;\n height: 100%; }\n .media-control[data-media-control] .media-control-layer[data-controls] button.media-control-button[data-hd-indicator] {\n background-color: transparent;\n border: 0;\n cursor: default;\n display: none;\n float: right;\n height: 100%; }\n .media-control[data-media-control] .media-control-layer[data-controls] button.media-control-button[data-hd-indicator].enabled {\n display: block;\n opacity: 1.0; }\n .media-control[data-media-control] .media-control-layer[data-controls] button.media-control-button[data-hd-indicator].enabled:hover {\n opacity: 1.0;\n text-shadow: none; }\n .media-control[data-media-control] .media-control-layer[data-controls] button.media-control-button[data-playpause] {\n float: left; }\n .media-control[data-media-control] .media-control-layer[data-controls] button.media-control-button[data-playstop] {\n float: left; }\n .media-control[data-media-control] .media-control-layer[data-controls] .media-control-indicator[data-position], .media-control[data-media-control] .media-control-layer[data-controls] .media-control-indicator[data-duration] {\n display: inline-block;\n font-size: 10px;\n color: white;\n cursor: default;\n line-height: 32px;\n position: relative; }\n .media-control[data-media-control] .media-control-layer[data-controls] .media-control-indicator[data-position] {\n margin: 0 6px 0 7px; }\n .media-control[data-media-control] .media-control-layer[data-controls] .media-control-indicator[data-duration] {\n color: rgba(255, 255, 255, 0.5);\n margin-right: 6px; }\n .media-control[data-media-control] .media-control-layer[data-controls] .media-control-indicator[data-duration]:before {\n content: \"|\";\n margin-right: 7px; }\n .media-control[data-media-control] .media-control-layer[data-controls] .bar-container[data-seekbar] {\n position: absolute;\n top: -20px;\n left: 0;\n display: inline-block;\n vertical-align: middle;\n width: 100%;\n height: 25px;\n cursor: pointer; }\n .media-control[data-media-control] .media-control-layer[data-controls] .bar-container[data-seekbar] .bar-background[data-seekbar] {\n width: 100%;\n height: 1px;\n position: relative;\n top: 12px;\n background-color: #666666; }\n .media-control[data-media-control] .media-control-layer[data-controls] .bar-container[data-seekbar] .bar-background[data-seekbar] .bar-fill-1[data-seekbar] {\n position: absolute;\n top: 0;\n left: 0;\n width: 0;\n height: 100%;\n background-color: #c2c2c2;\n transition: all 0.1s ease-out; }\n .media-control[data-media-control] .media-control-layer[data-controls] .bar-container[data-seekbar] .bar-background[data-seekbar] .bar-fill-2[data-seekbar] {\n position: absolute;\n top: 0;\n left: 0;\n width: 0;\n height: 100%;\n background-color: #005aff;\n transition: all 0.1s ease-out; }\n .media-control[data-media-control] .media-control-layer[data-controls] .bar-container[data-seekbar] .bar-background[data-seekbar] .bar-hover[data-seekbar] {\n opacity: 0;\n position: absolute;\n top: -3px;\n width: 5px;\n height: 7px;\n background-color: rgba(255, 255, 255, 0.5);\n transition: opacity 0.1s ease; }\n .media-control[data-media-control] .media-control-layer[data-controls] .bar-container[data-seekbar]:hover .bar-background[data-seekbar] .bar-hover[data-seekbar] {\n opacity: 1; }\n .media-control[data-media-control] .media-control-layer[data-controls] .bar-container[data-seekbar].seek-disabled {\n cursor: default; }\n .media-control[data-media-control] .media-control-layer[data-controls] .bar-container[data-seekbar].seek-disabled:hover .bar-background[data-seekbar] .bar-hover[data-seekbar] {\n opacity: 0; }\n .media-control[data-media-control] .media-control-layer[data-controls] .bar-container[data-seekbar] .bar-scrubber[data-seekbar] {\n position: absolute;\n -webkit-transform: translateX(-50%);\n transform: translateX(-50%);\n top: 2px;\n left: 0;\n width: 20px;\n height: 20px;\n opacity: 1;\n transition: all 0.1s ease-out; }\n .media-control[data-media-control] .media-control-layer[data-controls] .bar-container[data-seekbar] .bar-scrubber[data-seekbar] .bar-scrubber-icon[data-seekbar] {\n position: absolute;\n left: 6px;\n top: 6px;\n width: 8px;\n height: 8px;\n border-radius: 10px;\n box-shadow: 0 0 0 6px rgba(255, 255, 255, 0.2);\n background-color: white; }\n .media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] {\n float: right;\n display: inline-block;\n height: 32px;\n cursor: pointer;\n margin: 0 6px;\n box-sizing: border-box; }\n .media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .drawer-icon-container[data-volume] {\n float: left;\n bottom: 0; }\n .media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .drawer-icon-container[data-volume] .drawer-icon[data-volume] {\n background-color: transparent;\n border: 0;\n box-sizing: content-box;\n width: 32px;\n height: 32px;\n opacity: 0.5; }\n .media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .drawer-icon-container[data-volume] .drawer-icon[data-volume]:hover {\n opacity: 0.75; }\n .media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .drawer-icon-container[data-volume] .drawer-icon[data-volume] svg {\n height: 24px;\n position: relative;\n top: 3px; }\n .media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .drawer-icon-container[data-volume] .drawer-icon[data-volume] svg path {\n fill: white; }\n .media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .drawer-icon-container[data-volume] .drawer-icon[data-volume].muted svg {\n margin-left: 2px; }\n .media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .bar-container[data-volume] {\n float: left;\n position: relative;\n overflow: hidden;\n top: 6px;\n width: 42px;\n height: 18px;\n padding: 3px 0;\n transition: width .2s ease-out; }\n .media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .bar-container[data-volume] .bar-background[data-volume] {\n height: 1px;\n position: relative;\n top: 7px;\n margin: 0 3px;\n background-color: #666666; }\n .media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .bar-container[data-volume] .bar-background[data-volume] .bar-fill-1[data-volume] {\n position: absolute;\n top: 0;\n left: 0;\n width: 0;\n height: 100%;\n background-color: #c2c2c2;\n transition: all 0.1s ease-out; }\n .media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .bar-container[data-volume] .bar-background[data-volume] .bar-fill-2[data-volume] {\n position: absolute;\n top: 0;\n left: 0;\n width: 0;\n height: 100%;\n background-color: #005aff;\n transition: all 0.1s ease-out; }\n .media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .bar-container[data-volume] .bar-background[data-volume] .bar-hover[data-volume] {\n opacity: 0;\n position: absolute;\n top: -3px;\n width: 5px;\n height: 7px;\n background-color: rgba(255, 255, 255, 0.5);\n transition: opacity 0.1s ease; }\n .media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .bar-container[data-volume] .bar-scrubber[data-volume] {\n position: absolute;\n -webkit-transform: translateX(-50%);\n transform: translateX(-50%);\n top: 0px;\n left: 0;\n width: 20px;\n height: 20px;\n opacity: 1;\n transition: all 0.1s ease-out; }\n .media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .bar-container[data-volume] .bar-scrubber[data-volume] .bar-scrubber-icon[data-volume] {\n position: absolute;\n left: 6px;\n top: 6px;\n width: 8px;\n height: 8px;\n border-radius: 10px;\n box-shadow: 0 0 0 6px rgba(255, 255, 255, 0.2);\n background-color: white; }\n .media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .bar-container[data-volume] .segmented-bar-element[data-volume] {\n float: left;\n width: 4px;\n padding-left: 2px;\n height: 12px;\n opacity: 0.5;\n box-shadow: inset 2px 0 0 white;\n transition: -webkit-transform .2s ease-out;\n transition: transform .2s ease-out;\n transition: transform .2s ease-out, -webkit-transform .2s ease-out; }\n .media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .bar-container[data-volume] .segmented-bar-element[data-volume].fill {\n box-shadow: inset 2px 0 0 #fff;\n opacity: 1; }\n .media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .bar-container[data-volume] .segmented-bar-element[data-volume]:nth-of-type(1) {\n padding-left: 0; }\n .media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .bar-container[data-volume] .segmented-bar-element[data-volume]:hover {\n -webkit-transform: scaleY(1.5);\n transform: scaleY(1.5); }\n .media-control[data-media-control].w320 .media-control-layer[data-controls] .drawer-container[data-volume] .bar-container[data-volume].volume-bar-hide {\n width: 0;\n height: 12px;\n top: 9px;\n padding: 0; }\n", ""]); + /***/ "./src/plugins/media_control/public/media-control.scss": + /*!*************************************************************!*\ + !*** ./src/plugins/media_control/public/media-control.scss ***! + \*************************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { -// exports + var content = __webpack_require__(/*! !../../../../node_modules/css-loader!../../../../node_modules/postcss-loader/lib!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/joaopaulo/Workstation/JS/clappr/src/base/scss!./media-control.scss */ "./node_modules/css-loader/index.js!./node_modules/postcss-loader/lib/index.js!./node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/joaopaulo/Workstation/JS/clappr/src/base/scss!./src/plugins/media_control/public/media-control.scss"); - /***/ }), - /* 216 */ - /***/ (function(module, exports) { + if(typeof content === 'string') content = [[module.i, content, '']]; - module.exports = "<div class=\"media-control-background\" data-background></div>\n<div class=\"media-control-layer\" data-controls>\n <% var renderBar = function(name) { %>\n <div class=\"bar-container\" data-<%= name %>>\n <div class=\"bar-background\" data-<%= name %>>\n <div class=\"bar-fill-1\" data-<%= name %>></div>\n <div class=\"bar-fill-2\" data-<%= name %>></div>\n <div class=\"bar-hover\" data-<%= name %>></div>\n </div>\n <div class=\"bar-scrubber\" data-<%= name %>>\n <div class=\"bar-scrubber-icon\" data-<%= name %>></div>\n </div>\n </div>\n <% }; %>\n <% var renderSegmentedBar = function(name, segments) {\n segments = segments || 10; %>\n <div class=\"bar-container\" data-<%= name %>>\n <% for (var i = 0; i < segments; i++) { %>\n <div class=\"segmented-bar-element\" data-<%= name %>></div>\n <% } %>\n </div>\n <% }; %>\n <% var renderDrawer = function(name, renderContent) { %>\n <div class=\"drawer-container\" data-<%= name %>>\n <div class=\"drawer-icon-container\" data-<%= name %>>\n <div class=\"drawer-icon media-control-icon\" data-<%= name %>></div>\n <span class=\"drawer-text\" data-<%= name %>></span>\n </div>\n <% renderContent(name); %>\n </div>\n <% }; %>\n <% var renderIndicator = function(name) { %>\n <div class=\"media-control-indicator\" data-<%= name %>></div>\n <% }; %>\n <% var renderButton = function(name) { %>\n <button type=\"button\" class=\"media-control-button media-control-icon\" data-<%= name %> aria-label=\"<%= name %>\"></button>\n <% }; %>\n <% var templates = {\n bar: renderBar,\n segmentedBar: renderSegmentedBar,\n };\n var render = function(settingsList) {\n settingsList.forEach(function(setting) {\n if(setting === \"seekbar\") {\n renderBar(setting);\n } else if (setting === \"volume\") {\n renderDrawer(setting, settings.volumeBarTemplate ? templates[settings.volumeBarTemplate] : function(name) { return renderSegmentedBar(name); });\n } else if (setting === \"duration\" || setting === \"position\") {\n renderIndicator(setting);\n } else {\n renderButton(setting);\n }\n });\n }; %>\n <% if (settings.default && settings.default.length) { %>\n <div class=\"media-control-center-panel\" data-media-control>\n <% render(settings.default); %>\n </div>\n <% } %>\n <% if (settings.left && settings.left.length) { %>\n <div class=\"media-control-left-panel\" data-media-control>\n <% render(settings.left); %>\n </div>\n <% } %>\n <% if (settings.right && settings.right.length) { %>\n <div class=\"media-control-right-panel\" data-media-control>\n <% render(settings.right); %>\n </div>\n <% } %>\n</div>\n"; + var transform; + var insertInto; - /***/ }), - /* 217 */ - /***/ (function(module, exports) { - module.exports = "<svg xmlns=\"http://www.w3.org/2000/svg\" viewBox=\"0 0 16 16\"><path fill-rule=\"evenodd\" clip-rule=\"evenodd\" fill=\"#010101\" d=\"M1.712 1.24h12.6v13.52h-12.6z\"></path></svg>" - /***/ }), - /* 218 */ - /***/ (function(module, exports) { + var options = {"singleton":true,"hmr":true} - module.exports = "<svg xmlns=\"http://www.w3.org/2000/svg\" viewBox=\"0 0 16 16\"><path fill-rule=\"evenodd\" clip-rule=\"evenodd\" fill=\"#010101\" d=\"M11.5 11h-.002v1.502L7.798 10H4.5V6h3.297l3.7-2.502V4.5h.003V11zM11 4.49L7.953 6.5H5v3h2.953L11 11.51V4.49z\"></path></svg>" + options.transform = transform + options.insertInto = undefined; - /***/ }), - /* 219 */ - /***/ (function(module, exports) { + var update = __webpack_require__(/*! ../../../../node_modules/style-loader/lib/addStyles.js */ "./node_modules/style-loader/lib/addStyles.js")(content, options); - module.exports = "<svg xmlns=\"http://www.w3.org/2000/svg\" viewBox=\"0 0 16 16\"><path fill-rule=\"evenodd\" clip-rule=\"evenodd\" fill=\"#010101\" d=\"M9.75 11.51L6.7 9.5H3.75v-3H6.7L9.75 4.49v.664l.497.498V3.498L6.547 6H3.248v4h3.296l3.7 2.502v-2.154l-.497.5v.662zm3-5.165L12.404 6l-1.655 1.653L9.093 6l-.346.345L10.402 8 8.747 9.654l.346.347 1.655-1.653L12.403 10l.348-.346L11.097 8l1.655-1.655z\"></path></svg>" + if(content.locals) module.exports = content.locals; - /***/ }), - /* 220 */ - /***/ (function(module, exports) { + if(false) {} - module.exports = "<svg xmlns=\"http://www.w3.org/2000/svg\" viewBox=\"0 0 16 16\"><path fill=\"#010101\" d=\"M7.156 8L4 11.156V8.5H3V13h4.5v-1H4.844L8 8.844 7.156 8zM8.5 3v1h2.657L8 7.157 8.846 8 12 4.844V7.5h1V3H8.5z\"></path></svg>" + /***/ }), - /***/ }), - /* 221 */ - /***/ (function(module, exports) { + /***/ "./src/plugins/poster/index.js": + /*!*************************************!*\ + !*** ./src/plugins/poster/index.js ***! + \*************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - module.exports = "<svg xmlns=\"http://www.w3.org/2000/svg\" viewBox=\"0 0 16 16\"><path fill=\"#010101\" d=\"M13.5 3.344l-.844-.844L9.5 5.656V3h-1v4.5H13v-1h-2.656L13.5 3.344zM3 9.5h2.656L2.5 12.656l.844.844L6.5 10.344V13h1V8.5H3v1z\"></path></svg>" + "use strict"; - /***/ }), - /* 222 */ - /***/ (function(module, exports) { - module.exports = "<svg xmlns=\"http://www.w3.org/2000/svg\" viewBox=\"0 0 16 16\"><path fill=\"#010101\" d=\"M5.375 7.062H2.637V4.26H.502v7.488h2.135V8.9h2.738v2.848h2.133V4.26H5.375v2.802zm5.97-2.81h-2.84v7.496h2.798c2.65 0 4.195-1.607 4.195-3.77v-.022c0-2.162-1.523-3.704-4.154-3.704zm2.06 3.758c0 1.21-.81 1.896-2.03 1.896h-.83V6.093h.83c1.22 0 2.03.696 2.03 1.896v.02z\"></path></svg>" + Object.defineProperty(exports, "__esModule", { + value: true + }); - /***/ }), - /* 223 */ - /***/ (function(module, exports, __webpack_require__) { + var _poster = __webpack_require__(/*! ./poster */ "./src/plugins/poster/poster.js"); - "use strict"; + var _poster2 = _interopRequireDefault(_poster); + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - Object.defineProperty(exports, "__esModule", { - value: true - }); + exports.default = _poster2.default; + module.exports = exports['default']; - var _classCallCheck2 = __webpack_require__(0); + /***/ }), - var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + /***/ "./src/plugins/poster/poster.js": + /*!**************************************!*\ + !*** ./src/plugins/poster/poster.js ***! + \**************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - var _possibleConstructorReturn2 = __webpack_require__(1); + "use strict"; + /* WEBPACK VAR INJECTION */(function(process) { - var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); + Object.defineProperty(exports, "__esModule", { + value: true + }); - var _createClass2 = __webpack_require__(3); + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); - var _createClass3 = _interopRequireDefault(_createClass2); + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); - var _inherits2 = __webpack_require__(2); + var _possibleConstructorReturn2 = __webpack_require__(/*! babel-runtime/helpers/possibleConstructorReturn */ "./node_modules/babel-runtime/helpers/possibleConstructorReturn.js"); - var _inherits3 = _interopRequireDefault(_inherits2); + var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); - var _ui_core_plugin = __webpack_require__(23); + var _createClass2 = __webpack_require__(/*! babel-runtime/helpers/createClass */ "./node_modules/babel-runtime/helpers/createClass.js"); - var _ui_core_plugin2 = _interopRequireDefault(_ui_core_plugin); + var _createClass3 = _interopRequireDefault(_createClass2); - var _template = __webpack_require__(7); + var _inherits2 = __webpack_require__(/*! babel-runtime/helpers/inherits */ "./node_modules/babel-runtime/helpers/inherits.js"); - var _template2 = _interopRequireDefault(_template); + var _inherits3 = _interopRequireDefault(_inherits2); - var _playback = __webpack_require__(10); + var _ui_container_plugin = __webpack_require__(/*! ../../base/ui_container_plugin */ "./src/base/ui_container_plugin.js"); - var _playback2 = _interopRequireDefault(_playback); + var _ui_container_plugin2 = _interopRequireDefault(_ui_container_plugin); - var _events = __webpack_require__(4); + var _events = __webpack_require__(/*! ../../base/events */ "./src/base/events.js"); - var _events2 = _interopRequireDefault(_events); + var _events2 = _interopRequireDefault(_events); - var _index = __webpack_require__(224); + var _template = __webpack_require__(/*! ../../base/template */ "./src/base/template.js"); - var _index2 = _interopRequireDefault(_index); + var _template2 = _interopRequireDefault(_template); - __webpack_require__(225); + var _playback = __webpack_require__(/*! ../../base/playback */ "./src/base/playback.js"); - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + var _playback2 = _interopRequireDefault(_playback); - var DVRControls = function (_UICorePlugin) { - (0, _inherits3.default)(DVRControls, _UICorePlugin); - (0, _createClass3.default)(DVRControls, [{ - key: 'template', - get: function get() { - return (0, _template2.default)(_index2.default); - } - }, { - key: 'name', - get: function get() { - return 'dvr_controls'; - } - }, { - key: 'events', - get: function get() { - return { - 'click .live-button': 'click' - }; - } - }, { - key: 'attributes', - get: function get() { - return { - 'class': 'dvr-controls', - 'data-dvr-controls': '' - }; - } - }]); + var _error = __webpack_require__(/*! ../../components/error/error */ "./src/components/error/error.js"); - function DVRControls(core) { - (0, _classCallCheck3.default)(this, DVRControls); + var _error2 = _interopRequireDefault(_error); - var _this = (0, _possibleConstructorReturn3.default)(this, _UICorePlugin.call(this, core)); + var _poster = __webpack_require__(/*! ./public/poster.html */ "./src/plugins/poster/public/poster.html"); - _this.settingsUpdate(); - return _this; - } + var _poster2 = _interopRequireDefault(_poster); - DVRControls.prototype.bindEvents = function bindEvents() { - this.listenTo(this.core.mediaControl, _events2.default.MEDIACONTROL_CONTAINERCHANGED, this.containerChanged); - this.listenTo(this.core.mediaControl, _events2.default.MEDIACONTROL_RENDERED, this.settingsUpdate); - this.listenTo(this.core, _events2.default.CORE_OPTIONS_CHANGE, this.render); - if (this.core.getCurrentContainer()) { - this.listenToOnce(this.core.getCurrentContainer(), _events2.default.CONTAINER_TIMEUPDATE, this.render); - this.listenTo(this.core.getCurrentContainer(), _events2.default.CONTAINER_PLAYBACKDVRSTATECHANGED, this.dvrChanged); - } - }; + var _utils = __webpack_require__(/*! ../../base/utils */ "./src/base/utils.js"); - DVRControls.prototype.containerChanged = function containerChanged() { - this.stopListening(); - this.bindEvents(); - }; + __webpack_require__(/*! ./public/poster.scss */ "./src/plugins/poster/public/poster.scss"); - DVRControls.prototype.dvrChanged = function dvrChanged(dvrEnabled) { - if (this.core.getPlaybackType() !== _playback2.default.LIVE) return; - this.settingsUpdate(); - this.core.mediaControl.$el.addClass('live'); - if (dvrEnabled) { - this.core.mediaControl.$el.addClass('dvr'); - this.core.mediaControl.$el.find('.media-control-indicator[data-position], .media-control-indicator[data-duration]').hide(); - } else { - this.core.mediaControl.$el.removeClass('dvr'); - } - }; + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - DVRControls.prototype.click = function click() { - var mediaControl = this.core.mediaControl; - var container = mediaControl.container; - if (!container.isPlaying()) container.play(); +//Copyright 2014 Globo.com Player authors. All rights reserved. +// Use of this source code is governed by a BSD-style +// license that can be found in the LICENSE file. - if (mediaControl.$el.hasClass('dvr')) container.seek(container.getDuration()); - }; + var PosterPlugin = function (_UIContainerPlugin) { + (0, _inherits3.default)(PosterPlugin, _UIContainerPlugin); + (0, _createClass3.default)(PosterPlugin, [{ + key: 'name', + get: function get() { + return 'poster'; + } + }, { + key: 'template', + get: function get() { + return (0, _template2.default)(_poster2.default); + } + }, { + key: 'shouldRender', + get: function get() { + var showForNoOp = !!(this.options.poster && this.options.poster.showForNoOp); + return this.container.playback.name !== 'html_img' && (this.container.playback.getPlaybackType() !== _playback2.default.NO_OP || showForNoOp); + } + }, { + key: 'attributes', + get: function get() { + return { + 'class': 'player-poster', + 'data-poster': '' + }; + } + }, { + key: 'events', + get: function get() { + return { + 'click': 'clicked' + }; + } + }, { + key: 'showOnVideoEnd', + get: function get() { + return !this.options.poster || this.options.poster.showOnVideoEnd || this.options.poster.showOnVideoEnd === undefined; + } + }]); - DVRControls.prototype.settingsUpdate = function settingsUpdate() { - var _this2 = this; + function PosterPlugin(container) { + (0, _classCallCheck3.default)(this, PosterPlugin); - this.stopListening(); - this.core.mediaControl.$el.removeClass('live'); - if (this.shouldRender()) { - this.render(); - this.$el.click(function () { - return _this2.click(); - }); - } - this.bindEvents(); - }; + var _this = (0, _possibleConstructorReturn3.default)(this, _UIContainerPlugin.call(this, container)); - DVRControls.prototype.shouldRender = function shouldRender() { - var useDvrControls = this.core.options.useDvrControls === undefined || !!this.core.options.useDvrControls; - return useDvrControls && this.core.getPlaybackType() === _playback2.default.LIVE; - }; + _this.hasStartedPlaying = false; + _this.playRequested = false; + _this.render(); + process.nextTick(function () { + return _this.update(); + }); + return _this; + } - DVRControls.prototype.render = function render() { - this.$el.html(this.template({ - live: this.core.i18n.t('live'), - backToLive: this.core.i18n.t('back_to_live') - })); - if (this.shouldRender()) { - this.core.mediaControl.$el.addClass('live'); - this.core.mediaControl.$('.media-control-left-panel[data-media-control]').append(this.$el); - } - return this; - }; + PosterPlugin.prototype.bindEvents = function bindEvents() { + this.listenTo(this.container, _events2.default.CONTAINER_STOP, this.onStop); + this.listenTo(this.container, _events2.default.CONTAINER_PLAY, this.onPlay); + this.listenTo(this.container, _events2.default.CONTAINER_STATE_BUFFERING, this.update); + this.listenTo(this.container, _events2.default.CONTAINER_STATE_BUFFERFULL, this.update); + this.listenTo(this.container, _events2.default.CONTAINER_OPTIONS_CHANGE, this.render); + this.listenTo(this.container, _events2.default.CONTAINER_ERROR, this.onError); + this.showOnVideoEnd && this.listenTo(this.container, _events2.default.CONTAINER_ENDED, this.onStop); + }; - return DVRControls; - }(_ui_core_plugin2.default); + PosterPlugin.prototype.onError = function onError(error) { + this.hasFatalError = error.level === _error2.default.Levels.FATAL; - exports.default = DVRControls; - module.exports = exports['default']; + if (this.hasFatalError) { + this.hasStartedPlaying = false; + this.playRequested = false; + this.showPlayButton(); + } + }; - /***/ }), - /* 224 */ - /***/ (function(module, exports) { + PosterPlugin.prototype.onPlay = function onPlay() { + this.hasStartedPlaying = true; + this.update(); + }; - module.exports = "<div class=\"live-info\"><%= live %></div>\n<button type=\"button\" class=\"live-button\" aria-label=\"<%= backToLive %>\"><%= backToLive %></button>\n"; + PosterPlugin.prototype.onStop = function onStop() { + this.hasStartedPlaying = false; + this.playRequested = false; + this.update(); + }; - /***/ }), - /* 225 */ - /***/ (function(module, exports, __webpack_require__) { + PosterPlugin.prototype.updatePlayButton = function updatePlayButton(show) { + if (show && (!this.options.chromeless || this.options.allowUserInteraction)) this.showPlayButton();else this.hidePlayButton(); + }; + PosterPlugin.prototype.showPlayButton = function showPlayButton() { + if (this.hasFatalError && !this.options.disableErrorScreen) return; - var content = __webpack_require__(226); + this.$playButton.show(); + this.$el.addClass('clickable'); + }; - if(typeof content === 'string') content = [[module.i, content, '']]; + PosterPlugin.prototype.hidePlayButton = function hidePlayButton() { + this.$playButton.hide(); + this.$el.removeClass('clickable'); + }; - var transform; - var insertInto; + PosterPlugin.prototype.clicked = function clicked() { + // Let "click_to_pause" plugin handle click event if media has started playing + if (!this.hasStartedPlaying) { + if (!this.options.chromeless || this.options.allowUserInteraction) { + this.playRequested = true; + this.update(); + this.container.play(); + } + return false; + } + }; + PosterPlugin.prototype.shouldHideOnPlay = function shouldHideOnPlay() { + // Audio broadcasts should keep the poster up; video should hide poster while playing. + return !this.container.playback.isAudioOnly; + }; + PosterPlugin.prototype.update = function update() { + if (!this.shouldRender) return; - var options = {"singleton":true,"hmr":true} + var showPlayButton = !this.playRequested && !this.hasStartedPlaying && !this.container.buffering; + this.updatePlayButton(showPlayButton); + this.updatePoster(); + }; - options.transform = transform - options.insertInto = undefined; + PosterPlugin.prototype.updatePoster = function updatePoster() { + if (!this.hasStartedPlaying) this.showPoster();else this.hidePoster(); + }; - var update = __webpack_require__(9)(content, options); + PosterPlugin.prototype.showPoster = function showPoster() { + this.container.disableMediaControl(); + this.$el.show(); + }; - if(content.locals) module.exports = content.locals; + PosterPlugin.prototype.hidePoster = function hidePoster() { + this.container.enableMediaControl(); + if (this.shouldHideOnPlay()) this.$el.hide(); + }; - if(false) { - module.hot.accept("!!../../../../node_modules/css-loader/index.js!../../../../node_modules/postcss-loader/lib/index.js!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/bruno.torres/workspace/clappr/clappr/src/base/scss!./dvr_controls.scss", function() { - var newContent = require("!!../../../../node_modules/css-loader/index.js!../../../../node_modules/postcss-loader/lib/index.js!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/bruno.torres/workspace/clappr/clappr/src/base/scss!./dvr_controls.scss"); + PosterPlugin.prototype.render = function render() { + if (!this.shouldRender) return; - if(typeof newContent === 'string') newContent = [[module.id, newContent, '']]; + this.$el.html(this.template()); - var locals = (function(a, b) { - var key, idx = 0; + var isRegularPoster = this.options.poster && this.options.poster.custom === undefined; - for(key in a) { - if(!b || a[key] !== b[key]) return false; - idx++; - } + if (isRegularPoster) { + var posterUrl = this.options.poster.url || this.options.poster; + this.$el.css({ 'background-image': 'url(' + posterUrl + ')' }); + } else if (this.options.poster) { + this.$el.css({ 'background': this.options.poster.custom }); + } - for(key in b) idx--; + this.container.$el.append(this.el); + this.$playWrapper = this.$el.find('.play-wrapper'); + this.$playWrapper.append(_utils.SvgIcons.play); + this.$playButton = this.$playWrapper.find('svg'); + this.$playButton.addClass('poster-icon'); + this.$playButton.attr('data-poster', ''); - return idx === 0; - }(content.locals, newContent.locals)); + var buttonsColor = this.options.mediacontrol && this.options.mediacontrol.buttons; + if (buttonsColor) this.$el.find('svg path').css('fill', buttonsColor); - if(!locals) throw new Error('Aborting CSS HMR due to changed css-modules locals.'); + if (this.options.mediacontrol && this.options.mediacontrol.buttons) { + buttonsColor = this.options.mediacontrol.buttons; + this.$playButton.css('color', buttonsColor); + } + this.update(); + return this; + }; - update(newContent); - }); + return PosterPlugin; + }(_ui_container_plugin2.default); - module.hot.dispose(function() { update(); }); - } + exports.default = PosterPlugin; + module.exports = exports['default']; + /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(/*! ./../../../node_modules/node-libs-browser/node_modules/process/browser.js */ "./node_modules/node-libs-browser/node_modules/process/browser.js"))) - /***/ }), - /* 226 */ - /***/ (function(module, exports, __webpack_require__) { + /***/ }), - exports = module.exports = __webpack_require__(8)(false); -// imports + /***/ "./src/plugins/poster/public/poster.html": + /*!***********************************************!*\ + !*** ./src/plugins/poster/public/poster.html ***! + \***********************************************/ + /*! no static exports found */ + /***/ (function(module, exports) { + module.exports = "<div class=\"play-wrapper\" data-poster></div>\n"; -// module - exports.push([module.i, ".dvr-controls[data-dvr-controls] {\n display: inline-block;\n float: left;\n color: #fff;\n line-height: 32px;\n font-size: 10px;\n font-weight: bold;\n margin-left: 6px; }\n .dvr-controls[data-dvr-controls] .live-info {\n cursor: default;\n font-family: \"Roboto\", \"Open Sans\", Arial, sans-serif;\n text-transform: uppercase; }\n .dvr-controls[data-dvr-controls] .live-info:before {\n content: \"\";\n display: inline-block;\n position: relative;\n width: 7px;\n height: 7px;\n border-radius: 3.5px;\n margin-right: 3.5px;\n background-color: #ff0101; }\n .dvr-controls[data-dvr-controls] .live-info.disabled {\n opacity: 0.3; }\n .dvr-controls[data-dvr-controls] .live-info.disabled:before {\n background-color: #fff; }\n .dvr-controls[data-dvr-controls] .live-button {\n cursor: pointer;\n outline: none;\n display: none;\n border: 0;\n color: #fff;\n background-color: transparent;\n height: 32px;\n padding: 0;\n opacity: 0.7;\n font-family: \"Roboto\", \"Open Sans\", Arial, sans-serif;\n text-transform: uppercase;\n transition: all 0.1s ease; }\n .dvr-controls[data-dvr-controls] .live-button:before {\n content: \"\";\n display: inline-block;\n position: relative;\n width: 7px;\n height: 7px;\n border-radius: 3.5px;\n margin-right: 3.5px;\n background-color: #fff; }\n .dvr-controls[data-dvr-controls] .live-button:hover {\n opacity: 1;\n text-shadow: rgba(255, 255, 255, 0.75) 0 0 5px; }\n\n.dvr .dvr-controls[data-dvr-controls] .live-info {\n display: none; }\n\n.dvr .dvr-controls[data-dvr-controls] .live-button {\n display: block; }\n\n.dvr.media-control.live[data-media-control] .media-control-layer[data-controls] .bar-container[data-seekbar] .bar-background[data-seekbar] .bar-fill-2[data-seekbar] {\n background-color: #005aff; }\n\n.media-control.live[data-media-control] .media-control-layer[data-controls] .bar-container[data-seekbar] .bar-background[data-seekbar] .bar-fill-2[data-seekbar] {\n background-color: #ff0101; }\n", ""]); + /***/ }), -// exports + /***/ "./src/plugins/poster/public/poster.scss": + /*!***********************************************!*\ + !*** ./src/plugins/poster/public/poster.scss ***! + \***********************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - /***/ }), - /* 227 */ - /***/ (function(module, exports, __webpack_require__) { + var content = __webpack_require__(/*! !../../../../node_modules/css-loader!../../../../node_modules/postcss-loader/lib!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/joaopaulo/Workstation/JS/clappr/src/base/scss!./poster.scss */ "./node_modules/css-loader/index.js!./node_modules/postcss-loader/lib/index.js!./node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/joaopaulo/Workstation/JS/clappr/src/base/scss!./src/plugins/poster/public/poster.scss"); - "use strict"; + if(typeof content === 'string') content = [[module.i, content, '']]; + var transform; + var insertInto; - Object.defineProperty(exports, "__esModule", { - value: true - }); - var _closed_captions = __webpack_require__(228); - var _closed_captions2 = _interopRequireDefault(_closed_captions); + var options = {"singleton":true,"hmr":true} - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + options.transform = transform + options.insertInto = undefined; - exports.default = _closed_captions2.default; - module.exports = exports['default']; + var update = __webpack_require__(/*! ../../../../node_modules/style-loader/lib/addStyles.js */ "./node_modules/style-loader/lib/addStyles.js")(content, options); - /***/ }), - /* 228 */ - /***/ (function(module, exports, __webpack_require__) { + if(content.locals) module.exports = content.locals; - "use strict"; + if(false) {} + /***/ }), - Object.defineProperty(exports, "__esModule", { - value: true - }); + /***/ "./src/plugins/seek_time/index.js": + /*!****************************************!*\ + !*** ./src/plugins/seek_time/index.js ***! + \****************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - var _classCallCheck2 = __webpack_require__(0); + "use strict"; - var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); - var _possibleConstructorReturn2 = __webpack_require__(1); + Object.defineProperty(exports, "__esModule", { + value: true + }); - var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); + var _seek_time = __webpack_require__(/*! ./seek_time */ "./src/plugins/seek_time/seek_time.js"); - var _createClass2 = __webpack_require__(3); + var _seek_time2 = _interopRequireDefault(_seek_time); - var _createClass3 = _interopRequireDefault(_createClass2); + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - var _inherits2 = __webpack_require__(2); + exports.default = _seek_time2.default; + module.exports = exports['default']; - var _inherits3 = _interopRequireDefault(_inherits2); + /***/ }), - var _ui_core_plugin = __webpack_require__(23); + /***/ "./src/plugins/seek_time/public/seek_time.html": + /*!*****************************************************!*\ + !*** ./src/plugins/seek_time/public/seek_time.html ***! + \*****************************************************/ + /*! no static exports found */ + /***/ (function(module, exports) { - var _ui_core_plugin2 = _interopRequireDefault(_ui_core_plugin); + module.exports = "<span data-seek-time></span>\n<span data-duration></span>\n"; - var _template = __webpack_require__(7); + /***/ }), - var _template2 = _interopRequireDefault(_template); + /***/ "./src/plugins/seek_time/public/seek_time.scss": + /*!*****************************************************!*\ + !*** ./src/plugins/seek_time/public/seek_time.scss ***! + \*****************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - var _events = __webpack_require__(4); - var _events2 = _interopRequireDefault(_events); + var content = __webpack_require__(/*! !../../../../node_modules/css-loader!../../../../node_modules/postcss-loader/lib!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/joaopaulo/Workstation/JS/clappr/src/base/scss!./seek_time.scss */ "./node_modules/css-loader/index.js!./node_modules/postcss-loader/lib/index.js!./node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/joaopaulo/Workstation/JS/clappr/src/base/scss!./src/plugins/seek_time/public/seek_time.scss"); - var _cc = __webpack_require__(229); + if(typeof content === 'string') content = [[module.i, content, '']]; - var _cc2 = _interopRequireDefault(_cc); + var transform; + var insertInto; - var _closed_captions = __webpack_require__(230); - var _closed_captions2 = _interopRequireDefault(_closed_captions); - __webpack_require__(231); + var options = {"singleton":true,"hmr":true} - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + options.transform = transform + options.insertInto = undefined; - var ClosedCaptions = function (_UICorePlugin) { - (0, _inherits3.default)(ClosedCaptions, _UICorePlugin); - (0, _createClass3.default)(ClosedCaptions, [{ - key: 'name', - get: function get() { - return 'closed_captions'; - } - }, { - key: 'template', - get: function get() { - return (0, _template2.default)(_closed_captions2.default); - } - }, { - key: 'events', - get: function get() { - return { - 'click [data-cc-button]': 'toggleContextMenu', - 'click [data-cc-select]': 'onTrackSelect' - }; - } - }, { - key: 'attributes', - get: function get() { - return { - 'class': 'cc-controls', - 'data-cc-controls': '' - }; - } - }]); + var update = __webpack_require__(/*! ../../../../node_modules/style-loader/lib/addStyles.js */ "./node_modules/style-loader/lib/addStyles.js")(content, options); - function ClosedCaptions(core) { - (0, _classCallCheck3.default)(this, ClosedCaptions); + if(content.locals) module.exports = content.locals; - var _this = (0, _possibleConstructorReturn3.default)(this, _UICorePlugin.call(this, core)); + if(false) {} - var config = core.options.closedCaptionsConfig; - _this._title = config && config.title ? config.title : null; - _this._ariaLabel = config && config.ariaLabel ? config.ariaLabel : 'cc-button'; - _this._labelCb = config && config.labelCallback && typeof config.labelCallback === 'function' ? config.labelCallback : function (track) { - return track.name; - }; - return _this; - } + /***/ }), - ClosedCaptions.prototype.bindEvents = function bindEvents() { - this.listenTo(this.core, _events2.default.CORE_ACTIVE_CONTAINER_CHANGED, this.containerChanged); - this.listenTo(this.core.mediaControl, _events2.default.MEDIACONTROL_RENDERED, this.render); - this.listenTo(this.core.mediaControl, _events2.default.MEDIACONTROL_HIDE, this.hideContextMenu); - this.container = this.core.getCurrentContainer(); - if (this.container) { - this.listenTo(this.container, _events2.default.CONTAINER_SUBTITLE_AVAILABLE, this.onSubtitleAvailable); - this.listenTo(this.container, _events2.default.CONTAINER_SUBTITLE_CHANGED, this.onSubtitleChanged); - this.listenTo(this.container, _events2.default.CONTAINER_STOP, this.onContainerStop); - } - }; + /***/ "./src/plugins/seek_time/seek_time.js": + /*!********************************************!*\ + !*** ./src/plugins/seek_time/seek_time.js ***! + \********************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - ClosedCaptions.prototype.onContainerStop = function onContainerStop() { - this.ccAvailable(false); - }; + "use strict"; - ClosedCaptions.prototype.containerChanged = function containerChanged() { - this.ccAvailable(false); - this.stopListening(); - this.bindEvents(); - }; - ClosedCaptions.prototype.onSubtitleAvailable = function onSubtitleAvailable() { - this.renderCcButton(); - this.ccAvailable(true); - }; + Object.defineProperty(exports, "__esModule", { + value: true + }); - ClosedCaptions.prototype.onSubtitleChanged = function onSubtitleChanged(track) { - this.setCurrentContextMenuElement(track.id); - }; + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); - ClosedCaptions.prototype.onTrackSelect = function onTrackSelect(event) { - var trackId = parseInt(event.target.dataset.ccSelect, 10); - this.container.closedCaptionsTrackId = trackId; - this.hideContextMenu(); - event.stopPropagation(); - return false; - }; + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); - ClosedCaptions.prototype.ccAvailable = function ccAvailable(hasCC) { - var method = hasCC ? 'addClass' : 'removeClass'; - this.$el[method]('available'); - }; + var _possibleConstructorReturn2 = __webpack_require__(/*! babel-runtime/helpers/possibleConstructorReturn */ "./node_modules/babel-runtime/helpers/possibleConstructorReturn.js"); - ClosedCaptions.prototype.toggleContextMenu = function toggleContextMenu() { - this.$el.find('ul').toggle(); - }; + var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); - ClosedCaptions.prototype.hideContextMenu = function hideContextMenu() { - this.$el.find('ul').hide(); - }; + var _createClass2 = __webpack_require__(/*! babel-runtime/helpers/createClass */ "./node_modules/babel-runtime/helpers/createClass.js"); - ClosedCaptions.prototype.contextMenuElement = function contextMenuElement(id) { - return this.$el.find('ul a' + (!isNaN(id) ? '[data-cc-select="' + id + '"]' : '')).parent(); - }; + var _createClass3 = _interopRequireDefault(_createClass2); - ClosedCaptions.prototype.setCurrentContextMenuElement = function setCurrentContextMenuElement(trackId) { - if (this._trackId !== trackId) { - this.contextMenuElement().removeClass('current'); - this.contextMenuElement(trackId).addClass('current'); - var method = trackId > -1 ? 'addClass' : 'removeClass'; - this.$ccButton[method]('enabled'); - this._trackId = trackId; - } - }; + var _inherits2 = __webpack_require__(/*! babel-runtime/helpers/inherits */ "./node_modules/babel-runtime/helpers/inherits.js"); - ClosedCaptions.prototype.renderCcButton = function renderCcButton() { - var tracks = this.container ? this.container.closedCaptionsTracks : []; - for (var i = 0; i < tracks.length; i++) { - tracks[i].label = this._labelCb(tracks[i]); - }this.$el.html(this.template({ - ariaLabel: this._ariaLabel, - disabledLabel: this.core.i18n.t('disabled'), - title: this._title, - tracks: tracks - })); - - this.$ccButton = this.$el.find('button.cc-button[data-cc-button]'); - this.$ccButton.append(_cc2.default); - this.$el.append(this.style); - }; + var _inherits3 = _interopRequireDefault(_inherits2); - ClosedCaptions.prototype.render = function render() { - this.renderCcButton(); + var _utils = __webpack_require__(/*! ../../base/utils */ "./src/base/utils.js"); - var $fullscreen = this.core.mediaControl.$el.find('button[data-fullscreen]'); - if ($fullscreen[0]) this.$el.insertAfter($fullscreen);else this.core.mediaControl.$el.find('.media-control-right-panel[data-media-control]').prepend(this.$el); + var _ui_core_plugin = __webpack_require__(/*! ../../base/ui_core_plugin */ "./src/base/ui_core_plugin.js"); - return this; - }; + var _ui_core_plugin2 = _interopRequireDefault(_ui_core_plugin); - return ClosedCaptions; - }(_ui_core_plugin2.default); + var _template = __webpack_require__(/*! ../../base/template */ "./src/base/template.js"); - exports.default = ClosedCaptions; - module.exports = exports['default']; + var _template2 = _interopRequireDefault(_template); - /***/ }), - /* 229 */ - /***/ (function(module, exports) { + var _events = __webpack_require__(/*! ../../base/events */ "./src/base/events.js"); - module.exports = "<svg version=\"1.1\" id=\"Layer_1\" xmlns=\"http://www.w3.org/2000/svg\" xmlns:xlink=\"http://www.w3.org/1999/xlink\" x=\"0px\" y=\"0px\" viewBox=\"0 0 49 41.8\" style=\"enable-background:new 0 0 49 41.8;\" xml:space=\"preserve\"><path d=\"M47.1,0H3.2C1.6,0,0,1.2,0,2.8v31.5C0,35.9,1.6,37,3.2,37h11.9l3.2,1.9l4.7,2.7c0.9,0.5,2-0.1,2-1.1V37h22.1 c1.6,0,1.9-1.1,1.9-2.7V2.8C49,1.2,48.7,0,47.1,0z M7.2,18.6c0-4.8,3.5-9.3,9.9-9.3c4.8,0,7.1,2.7,7.1,2.7l-2.5,4 c0,0-1.7-1.7-4.2-1.7c-2.8,0-4.3,2.1-4.3,4.3c0,2.1,1.5,4.4,4.5,4.4c2.5,0,4.9-2.1,4.9-2.1l2.2,4.2c0,0-2.7,2.9-7.6,2.9 C10.8,27.9,7.2,23.5,7.2,18.6z M36.9,27.9c-6.4,0-9.9-4.4-9.9-9.3c0-4.8,3.5-9.3,9.9-9.3C41.7,9.3,44,12,44,12l-2.5,4 c0,0-1.7-1.7-4.2-1.7c-2.8,0-4.3,2.1-4.3,4.3c0,2.1,1.5,4.4,4.5,4.4c2.5,0,4.9-2.1,4.9-2.1l2.2,4.2C44.5,25,41.9,27.9,36.9,27.9z\"></path></svg>" + var _events2 = _interopRequireDefault(_events); - /***/ }), - /* 230 */ - /***/ (function(module, exports) { + var _playback = __webpack_require__(/*! ../../base/playback */ "./src/base/playback.js"); - module.exports = "<button type=\"button\" class=\"cc-button media-control-button media-control-icon\" data-cc-button aria-label=\"<%= ariaLabel %>\"></button>\n<ul>\n <% if (title) { %>\n <li data-title><%= title %></li>\n <% }; %>\n <li><a href=\"#\" data-cc-select=\"-1\"><%= disabledLabel %></a></li>\n <% for (var i = 0; i < tracks.length; i++) { %>\n <li><a href=\"#\" data-cc-select=\"<%= tracks[i].id %>\"><%= tracks[i].label %></a></li>\n <% }; %>\n</ul>\n"; + var _playback2 = _interopRequireDefault(_playback); - /***/ }), - /* 231 */ - /***/ (function(module, exports, __webpack_require__) { + var _seek_time = __webpack_require__(/*! ./public/seek_time.html */ "./src/plugins/seek_time/public/seek_time.html"); + var _seek_time2 = _interopRequireDefault(_seek_time); - var content = __webpack_require__(232); + __webpack_require__(/*! ./public/seek_time.scss */ "./src/plugins/seek_time/public/seek_time.scss"); - if(typeof content === 'string') content = [[module.i, content, '']]; + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - var transform; - var insertInto; + var SeekTime = function (_UICorePlugin) { + (0, _inherits3.default)(SeekTime, _UICorePlugin); + (0, _createClass3.default)(SeekTime, [{ + key: 'name', + get: function get() { + return 'seek_time'; + } + }, { + key: 'template', + get: function get() { + return (0, _template2.default)(_seek_time2.default); + } + }, { + key: 'attributes', + get: function get() { + return { + 'class': 'seek-time', + 'data-seek-time': '' + }; + } + }, { + key: 'mediaControl', + get: function get() { + return this.core.mediaControl; + } + }, { + key: 'mediaControlContainer', + get: function get() { + return this.mediaControl.container; + } + }, { + key: 'isLiveStreamWithDvr', + get: function get() { + return this.mediaControlContainer && this.mediaControlContainer.getPlaybackType() === _playback2.default.LIVE && this.mediaControlContainer.isDvrEnabled(); + } + }, { + key: 'durationShown', + get: function get() { + return this.isLiveStreamWithDvr && !this.actualLiveTime; + } + }, { + key: 'useActualLiveTime', + get: function get() { + return this.actualLiveTime && this.isLiveStreamWithDvr; + } + }]); + function SeekTime(core) { + (0, _classCallCheck3.default)(this, SeekTime); + var _this = (0, _possibleConstructorReturn3.default)(this, _UICorePlugin.call(this, core)); - var options = {"singleton":true,"hmr":true} + _this.hoveringOverSeekBar = false; + _this.hoverPosition = null; + _this.duration = null; + _this.firstFragDateTime = null; + _this.actualLiveTime = !!_this.mediaControl.options.actualLiveTime; + if (_this.actualLiveTime) { + if (_this.mediaControl.options.actualLiveServerTime) _this.actualLiveServerTimeDiff = new Date().getTime() - new Date(_this.mediaControl.options.actualLiveServerTime).getTime();else _this.actualLiveServerTimeDiff = 0; + } + return _this; + } - options.transform = transform - options.insertInto = undefined; + SeekTime.prototype.bindEvents = function bindEvents() { + this.listenTo(this.mediaControl, _events2.default.MEDIACONTROL_RENDERED, this.render); + this.listenTo(this.mediaControl, _events2.default.MEDIACONTROL_MOUSEMOVE_SEEKBAR, this.showTime); + this.listenTo(this.mediaControl, _events2.default.MEDIACONTROL_MOUSELEAVE_SEEKBAR, this.hideTime); + this.listenTo(this.mediaControl, _events2.default.MEDIACONTROL_CONTAINERCHANGED, this.onContainerChanged); + if (this.mediaControlContainer) { + this.listenTo(this.mediaControlContainer, _events2.default.CONTAINER_PLAYBACKDVRSTATECHANGED, this.update); + this.listenTo(this.mediaControlContainer, _events2.default.CONTAINER_TIMEUPDATE, this.updateDuration); + } + }; - var update = __webpack_require__(9)(content, options); + SeekTime.prototype.onContainerChanged = function onContainerChanged() { + this.stopListening(); + this.bindEvents(); + }; - if(content.locals) module.exports = content.locals; + SeekTime.prototype.updateDuration = function updateDuration(timeProgress) { + this.duration = timeProgress.total; + this.firstFragDateTime = timeProgress.firstFragDateTime; + this.update(); + }; - if(false) { - module.hot.accept("!!../../../../node_modules/css-loader/index.js!../../../../node_modules/postcss-loader/lib/index.js!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/bruno.torres/workspace/clappr/clappr/src/base/scss!./closed_captions.scss", function() { - var newContent = require("!!../../../../node_modules/css-loader/index.js!../../../../node_modules/postcss-loader/lib/index.js!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/bruno.torres/workspace/clappr/clappr/src/base/scss!./closed_captions.scss"); + SeekTime.prototype.showTime = function showTime(event) { + this.hoveringOverSeekBar = true; + this.calculateHoverPosition(event); + this.update(); + }; - if(typeof newContent === 'string') newContent = [[module.id, newContent, '']]; + SeekTime.prototype.hideTime = function hideTime() { + this.hoveringOverSeekBar = false; + this.update(); + }; - var locals = (function(a, b) { - var key, idx = 0; + SeekTime.prototype.calculateHoverPosition = function calculateHoverPosition(event) { + var offset = event.pageX - this.mediaControl.$seekBarContainer.offset().left; + // proportion into the seek bar that the mouse is hovered over 0-1 + this.hoverPosition = Math.min(1, Math.max(offset / this.mediaControl.$seekBarContainer.width(), 0)); + }; - for(key in a) { - if(!b || a[key] !== b[key]) return false; - idx++; + SeekTime.prototype.getSeekTime = function getSeekTime() { + var seekTime = void 0, + secondsSinceMidnight = void 0, + d = void 0, + e = void 0; + if (this.useActualLiveTime) { + if (this.firstFragDateTime) { + e = new Date(this.firstFragDateTime); + d = new Date(this.firstFragDateTime); + d.setHours(0, 0, 0, 0); + secondsSinceMidnight = (e.getTime() - d.getTime()) / 1000 + this.duration; + } else { + d = new Date(new Date().getTime() - this.actualLiveServerTimeDiff); + e = new Date(d); + secondsSinceMidnight = (e - d.setHours(0, 0, 0, 0)) / 1000; + } + seekTime = secondsSinceMidnight - this.duration + this.hoverPosition * this.duration; + if (seekTime < 0) seekTime += 86400; + } else { + seekTime = this.hoverPosition * this.duration; } - for(key in b) idx--; + return { seekTime: seekTime, secondsSinceMidnight: secondsSinceMidnight }; + }; - return idx === 0; - }(content.locals, newContent.locals)); + SeekTime.prototype.update = function update() { + if (!this.rendered) { + // update() is always called after a render + return; + } + if (!this.shouldBeVisible()) { + this.$el.hide(); + this.$el.css('left', '-100%'); + } else { + var seekTime = this.getSeekTime(); + var currentSeekTime = (0, _utils.formatTime)(seekTime.seekTime, this.useActualLiveTime); + // only update dom if necessary, ie time actually changed + if (currentSeekTime !== this.displayedSeekTime) { + this.$seekTimeEl.text(currentSeekTime); + this.displayedSeekTime = currentSeekTime; + } - if(!locals) throw new Error('Aborting CSS HMR due to changed css-modules locals.'); + if (this.durationShown) { + this.$durationEl.show(); + var currentDuration = (0, _utils.formatTime)(this.actualLiveTime ? seekTime.secondsSinceMidnight : this.duration, this.actualLiveTime); + if (currentDuration !== this.displayedDuration) { + this.$durationEl.text(currentDuration); + this.displayedDuration = currentDuration; + } + } else { + this.$durationEl.hide(); + } - update(newContent); - }); + // the element must be unhidden before its width is requested, otherwise it's width will be reported as 0 + this.$el.show(); + var containerWidth = this.mediaControl.$seekBarContainer.width(); + var elWidth = this.$el.width(); + var elLeftPos = this.hoverPosition * containerWidth; + elLeftPos -= elWidth / 2; + elLeftPos = Math.max(0, Math.min(elLeftPos, containerWidth - elWidth)); + this.$el.css('left', elLeftPos); + } + }; - module.hot.dispose(function() { update(); }); - } + SeekTime.prototype.shouldBeVisible = function shouldBeVisible() { + return this.mediaControlContainer && this.mediaControlContainer.settings.seekEnabled && this.hoveringOverSeekBar && this.hoverPosition !== null && this.duration !== null; + }; - /***/ }), - /* 232 */ - /***/ (function(module, exports, __webpack_require__) { + SeekTime.prototype.render = function render() { + this.rendered = true; + this.displayedDuration = null; + this.displayedSeekTime = null; + this.$el.html(this.template()); + this.$el.hide(); + this.mediaControl.$el.append(this.el); + this.$seekTimeEl = this.$el.find('[data-seek-time]'); + this.$durationEl = this.$el.find('[data-duration]'); + this.$durationEl.hide(); + this.update(); + }; - exports = module.exports = __webpack_require__(8)(false); -// imports + return SeekTime; + }(_ui_core_plugin2.default); // Copyright 2014 Globo.com Player authors. All rights reserved. +// Use of this source code is governed by a BSD-style +// license that can be found in the LICENSE file. + exports.default = SeekTime; + module.exports = exports['default']; -// module - exports.push([module.i, ".cc-controls[data-cc-controls] {\n float: right;\n position: relative;\n display: none; }\n .cc-controls[data-cc-controls].available {\n display: block; }\n .cc-controls[data-cc-controls] .cc-button {\n padding: 6px !important; }\n .cc-controls[data-cc-controls] .cc-button.enabled {\n display: block;\n opacity: 1.0; }\n .cc-controls[data-cc-controls] .cc-button.enabled:hover {\n opacity: 1.0;\n text-shadow: none; }\n .cc-controls[data-cc-controls] > ul {\n list-style-type: none;\n position: absolute;\n bottom: 25px;\n border: 1px solid black;\n display: none;\n background-color: #e6e6e6; }\n .cc-controls[data-cc-controls] li {\n font-size: 10px; }\n .cc-controls[data-cc-controls] li[data-title] {\n background-color: #c3c2c2;\n padding: 5px; }\n .cc-controls[data-cc-controls] li a {\n color: #444;\n padding: 2px 10px;\n display: block;\n text-decoration: none; }\n .cc-controls[data-cc-controls] li a:hover {\n background-color: #555;\n color: white; }\n .cc-controls[data-cc-controls] li a:hover a {\n color: white;\n text-decoration: none; }\n .cc-controls[data-cc-controls] li.current a {\n color: #f00; }\n", ""]); + /***/ }), -// exports + /***/ "./src/plugins/sources.js": + /*!********************************!*\ + !*** ./src/plugins/sources.js ***! + \********************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { + "use strict"; - /***/ }), - /* 233 */ - /***/ (function(module, exports, __webpack_require__) { - "use strict"; + Object.defineProperty(exports, "__esModule", { + value: true + }); + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); - Object.defineProperty(exports, "__esModule", { - value: true - }); + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); - var _classCallCheck2 = __webpack_require__(0); + var _createClass2 = __webpack_require__(/*! babel-runtime/helpers/createClass */ "./node_modules/babel-runtime/helpers/createClass.js"); - var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + var _createClass3 = _interopRequireDefault(_createClass2); - var _possibleConstructorReturn2 = __webpack_require__(1); + var _possibleConstructorReturn2 = __webpack_require__(/*! babel-runtime/helpers/possibleConstructorReturn */ "./node_modules/babel-runtime/helpers/possibleConstructorReturn.js"); - var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); + var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); - var _createClass2 = __webpack_require__(3); + var _inherits2 = __webpack_require__(/*! babel-runtime/helpers/inherits */ "./node_modules/babel-runtime/helpers/inherits.js"); - var _createClass3 = _interopRequireDefault(_createClass2); + var _inherits3 = _interopRequireDefault(_inherits2); - var _inherits2 = __webpack_require__(2); + var _core_plugin = __webpack_require__(/*! ../base/core_plugin */ "./src/base/core_plugin.js"); - var _inherits3 = _interopRequireDefault(_inherits2); + var _core_plugin2 = _interopRequireDefault(_core_plugin); - var _core_plugin = __webpack_require__(35); + var _events = __webpack_require__(/*! ../base/events */ "./src/base/events.js"); - var _core_plugin2 = _interopRequireDefault(_core_plugin); + var _events2 = _interopRequireDefault(_events); - var _events = __webpack_require__(4); + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - var _events2 = _interopRequireDefault(_events); + var SourcesPlugin = function (_CorePlugin) { + (0, _inherits3.default)(SourcesPlugin, _CorePlugin); - var _clapprZepto = __webpack_require__(6); + function SourcesPlugin() { + (0, _classCallCheck3.default)(this, SourcesPlugin); + return (0, _possibleConstructorReturn3.default)(this, _CorePlugin.apply(this, arguments)); + } - var _clapprZepto2 = _interopRequireDefault(_clapprZepto); + SourcesPlugin.prototype.bindEvents = function bindEvents() { + this.listenTo(this.core, _events2.default.CORE_CONTAINERS_CREATED, this.onContainersCreated); + }; - var _play = __webpack_require__(64); + SourcesPlugin.prototype.onContainersCreated = function onContainersCreated() { + var firstValidSource = this.core.containers.filter(function (container) { + return container.playback.name !== 'no_op'; + })[0] || this.core.containers[0]; + if (firstValidSource) { + this.core.containers.forEach(function (container) { + if (container !== firstValidSource) container.destroy(); + }); + } + }; - var _play2 = _interopRequireDefault(_play); + (0, _createClass3.default)(SourcesPlugin, [{ + key: 'name', + get: function get() { + return 'sources'; + } + }]); + return SourcesPlugin; + }(_core_plugin2.default); - var _pause = __webpack_require__(97); + exports.default = SourcesPlugin; + module.exports = exports['default']; - var _pause2 = _interopRequireDefault(_pause); + /***/ }), - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + /***/ "./src/plugins/spinner_three_bounce/index.js": + /*!***************************************************!*\ + !*** ./src/plugins/spinner_three_bounce/index.js ***! + \***************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - var oldIcon = (0, _clapprZepto2.default)('link[rel="shortcut icon"]'); + "use strict"; - var Favicon = function (_CorePlugin) { - (0, _inherits3.default)(Favicon, _CorePlugin); - (0, _createClass3.default)(Favicon, [{ - key: 'name', - get: function get() { - return 'favicon'; - } - }, { - key: 'oldIcon', - get: function get() { - return oldIcon; - } - }]); - function Favicon(core) { - (0, _classCallCheck3.default)(this, Favicon); + Object.defineProperty(exports, "__esModule", { + value: true + }); - var _this = (0, _possibleConstructorReturn3.default)(this, _CorePlugin.call(this, core)); + var _spinner_three_bounce = __webpack_require__(/*! ./spinner_three_bounce */ "./src/plugins/spinner_three_bounce/spinner_three_bounce.js"); - _this._container = null; - _this.configure(); - return _this; - } + var _spinner_three_bounce2 = _interopRequireDefault(_spinner_three_bounce); - Favicon.prototype.configure = function configure() { - if (this.core.options.changeFavicon) { - if (!this.enabled) { - this.stopListening(this.core, _events2.default.CORE_OPTIONS_CHANGE); - this.enable(); - } - } else if (this.enabled) { - this.disable(); - this.listenTo(this.core, _events2.default.CORE_OPTIONS_CHANGE, this.configure); - } - }; + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - Favicon.prototype.bindEvents = function bindEvents() { - this.listenTo(this.core, _events2.default.CORE_OPTIONS_CHANGE, this.configure); - this.listenTo(this.core, _events2.default.CORE_ACTIVE_CONTAINER_CHANGED, this.containerChanged); - this.core.activeContainer && this.containerChanged(); - }; + exports.default = _spinner_three_bounce2.default; + module.exports = exports['default']; - Favicon.prototype.containerChanged = function containerChanged() { - this._container && this.stopListening(this._container); - this._container = this.core.activeContainer; - this.listenTo(this._container, _events2.default.CONTAINER_PLAY, this.setPlayIcon); - this.listenTo(this._container, _events2.default.CONTAINER_PAUSE, this.setPauseIcon); - this.listenTo(this._container, _events2.default.CONTAINER_STOP, this.resetIcon); - this.listenTo(this._container, _events2.default.CONTAINER_ENDED, this.resetIcon); - this.listenTo(this._container, _events2.default.CONTAINER_ERROR, this.resetIcon); - this.resetIcon(); - }; + /***/ }), - Favicon.prototype.disable = function disable() { - _CorePlugin.prototype.disable.call(this); - this.resetIcon(); - }; + /***/ "./src/plugins/spinner_three_bounce/public/spinner.html": + /*!**************************************************************!*\ + !*** ./src/plugins/spinner_three_bounce/public/spinner.html ***! + \**************************************************************/ + /*! no static exports found */ + /***/ (function(module, exports) { - Favicon.prototype.destroy = function destroy() { - _CorePlugin.prototype.destroy.call(this); - this.resetIcon(); - }; + module.exports = "<div data-bounce1></div><div data-bounce2></div><div data-bounce3></div>\n"; - Favicon.prototype.createIcon = function createIcon(svg) { - var canvas = (0, _clapprZepto2.default)('<canvas/>'); - canvas[0].width = 16; - canvas[0].height = 16; - var ctx = canvas[0].getContext('2d'); - ctx.fillStyle = '#000'; - var d = (0, _clapprZepto2.default)(svg).find('path').attr('d'); - var path = new Path2D(d); - ctx.fill(path); - var icon = (0, _clapprZepto2.default)('<link rel="shortcut icon" type="image/png"/>'); - icon.attr('href', canvas[0].toDataURL('image/png')); - return icon; - }; + /***/ }), - Favicon.prototype.setPlayIcon = function setPlayIcon() { - if (!this.playIcon) this.playIcon = this.createIcon(_play2.default); + /***/ "./src/plugins/spinner_three_bounce/public/spinner.scss": + /*!**************************************************************!*\ + !*** ./src/plugins/spinner_three_bounce/public/spinner.scss ***! + \**************************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - this.changeIcon(this.playIcon); - }; - Favicon.prototype.setPauseIcon = function setPauseIcon() { - if (!this.pauseIcon) this.pauseIcon = this.createIcon(_pause2.default); + var content = __webpack_require__(/*! !../../../../node_modules/css-loader!../../../../node_modules/postcss-loader/lib!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/joaopaulo/Workstation/JS/clappr/src/base/scss!./spinner.scss */ "./node_modules/css-loader/index.js!./node_modules/postcss-loader/lib/index.js!./node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/joaopaulo/Workstation/JS/clappr/src/base/scss!./src/plugins/spinner_three_bounce/public/spinner.scss"); - this.changeIcon(this.pauseIcon); - }; + if(typeof content === 'string') content = [[module.i, content, '']]; - Favicon.prototype.resetIcon = function resetIcon() { - (0, _clapprZepto2.default)('link[rel="shortcut icon"]').remove(); - (0, _clapprZepto2.default)('head').append(this.oldIcon); - }; + var transform; + var insertInto; - Favicon.prototype.changeIcon = function changeIcon(icon) { - if (icon) { - (0, _clapprZepto2.default)('link[rel="shortcut icon"]').remove(); - (0, _clapprZepto2.default)('head').append(icon); - } - }; - return Favicon; - }(_core_plugin2.default); - exports.default = Favicon; - module.exports = exports['default']; + var options = {"singleton":true,"hmr":true} - /***/ }), - /* 234 */ - /***/ (function(module, exports, __webpack_require__) { + options.transform = transform + options.insertInto = undefined; - "use strict"; + var update = __webpack_require__(/*! ../../../../node_modules/style-loader/lib/addStyles.js */ "./node_modules/style-loader/lib/addStyles.js")(content, options); + if(content.locals) module.exports = content.locals; - Object.defineProperty(exports, "__esModule", { - value: true - }); + if(false) {} - var _seek_time = __webpack_require__(235); + /***/ }), - var _seek_time2 = _interopRequireDefault(_seek_time); + /***/ "./src/plugins/spinner_three_bounce/spinner_three_bounce.js": + /*!******************************************************************!*\ + !*** ./src/plugins/spinner_three_bounce/spinner_three_bounce.js ***! + \******************************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + "use strict"; - exports.default = _seek_time2.default; - module.exports = exports['default']; - /***/ }), - /* 235 */ - /***/ (function(module, exports, __webpack_require__) { + Object.defineProperty(exports, "__esModule", { + value: true + }); - "use strict"; + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); - Object.defineProperty(exports, "__esModule", { - value: true - }); + var _possibleConstructorReturn2 = __webpack_require__(/*! babel-runtime/helpers/possibleConstructorReturn */ "./node_modules/babel-runtime/helpers/possibleConstructorReturn.js"); - var _classCallCheck2 = __webpack_require__(0); + var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); - var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + var _createClass2 = __webpack_require__(/*! babel-runtime/helpers/createClass */ "./node_modules/babel-runtime/helpers/createClass.js"); - var _possibleConstructorReturn2 = __webpack_require__(1); + var _createClass3 = _interopRequireDefault(_createClass2); - var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); + var _inherits2 = __webpack_require__(/*! babel-runtime/helpers/inherits */ "./node_modules/babel-runtime/helpers/inherits.js"); - var _createClass2 = __webpack_require__(3); + var _inherits3 = _interopRequireDefault(_inherits2); - var _createClass3 = _interopRequireDefault(_createClass2); + var _ui_container_plugin = __webpack_require__(/*! ../../base/ui_container_plugin */ "./src/base/ui_container_plugin.js"); - var _inherits2 = __webpack_require__(2); + var _ui_container_plugin2 = _interopRequireDefault(_ui_container_plugin); - var _inherits3 = _interopRequireDefault(_inherits2); + var _events = __webpack_require__(/*! ../../base/events */ "./src/base/events.js"); - var _utils = __webpack_require__(5); + var _events2 = _interopRequireDefault(_events); - var _ui_core_plugin = __webpack_require__(23); + var _template = __webpack_require__(/*! ../../base/template */ "./src/base/template.js"); - var _ui_core_plugin2 = _interopRequireDefault(_ui_core_plugin); + var _template2 = _interopRequireDefault(_template); - var _template = __webpack_require__(7); + var _spinner = __webpack_require__(/*! ./public/spinner.html */ "./src/plugins/spinner_three_bounce/public/spinner.html"); - var _template2 = _interopRequireDefault(_template); + var _spinner2 = _interopRequireDefault(_spinner); - var _events = __webpack_require__(4); + __webpack_require__(/*! ./public/spinner.scss */ "./src/plugins/spinner_three_bounce/public/spinner.scss"); - var _events2 = _interopRequireDefault(_events); + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - var _playback = __webpack_require__(10); + var SpinnerThreeBouncePlugin = function (_UIContainerPlugin) { + (0, _inherits3.default)(SpinnerThreeBouncePlugin, _UIContainerPlugin); + (0, _createClass3.default)(SpinnerThreeBouncePlugin, [{ + key: 'name', + get: function get() { + return 'spinner'; + } + }, { + key: 'attributes', + get: function get() { + return { + 'data-spinner': '', + 'class': 'spinner-three-bounce' + }; + } + }]); - var _playback2 = _interopRequireDefault(_playback); + function SpinnerThreeBouncePlugin(container) { + (0, _classCallCheck3.default)(this, SpinnerThreeBouncePlugin); - var _seek_time = __webpack_require__(236); + var _this = (0, _possibleConstructorReturn3.default)(this, _UIContainerPlugin.call(this, container)); - var _seek_time2 = _interopRequireDefault(_seek_time); + _this.template = (0, _template2.default)(_spinner2.default); + _this.showTimeout = null; + _this.listenTo(_this.container, _events2.default.CONTAINER_STATE_BUFFERING, _this.onBuffering); + _this.listenTo(_this.container, _events2.default.CONTAINER_STATE_BUFFERFULL, _this.onBufferFull); + _this.listenTo(_this.container, _events2.default.CONTAINER_STOP, _this.onStop); + _this.listenTo(_this.container, _events2.default.CONTAINER_ENDED, _this.onStop); + _this.listenTo(_this.container, _events2.default.CONTAINER_ERROR, _this.onStop); + _this.render(); + return _this; + } - __webpack_require__(237); + SpinnerThreeBouncePlugin.prototype.onBuffering = function onBuffering() { + this.show(); + }; - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + SpinnerThreeBouncePlugin.prototype.onBufferFull = function onBufferFull() { + this.hide(); + }; - var SeekTime = function (_UICorePlugin) { - (0, _inherits3.default)(SeekTime, _UICorePlugin); - (0, _createClass3.default)(SeekTime, [{ - key: 'name', - get: function get() { - return 'seek_time'; - } - }, { - key: 'template', - get: function get() { - return (0, _template2.default)(_seek_time2.default); - } - }, { - key: 'attributes', - get: function get() { - return { - 'class': 'seek-time', - 'data-seek-time': '' - }; - } - }, { - key: 'mediaControl', - get: function get() { - return this.core.mediaControl; - } - }, { - key: 'mediaControlContainer', - get: function get() { - return this.mediaControl.container; - } - }, { - key: 'isLiveStreamWithDvr', - get: function get() { - return this.mediaControlContainer && this.mediaControlContainer.getPlaybackType() === _playback2.default.LIVE && this.mediaControlContainer.isDvrEnabled(); - } - }, { - key: 'durationShown', - get: function get() { - return this.isLiveStreamWithDvr && !this.actualLiveTime; - } - }, { - key: 'useActualLiveTime', - get: function get() { - return this.actualLiveTime && this.isLiveStreamWithDvr; - } - }]); + SpinnerThreeBouncePlugin.prototype.onStop = function onStop() { + this.hide(); + }; - function SeekTime(core) { - (0, _classCallCheck3.default)(this, SeekTime); + SpinnerThreeBouncePlugin.prototype.show = function show() { + var _this2 = this; - var _this = (0, _possibleConstructorReturn3.default)(this, _UICorePlugin.call(this, core)); + if (this.showTimeout === null) this.showTimeout = setTimeout(function () { + return _this2.$el.show(); + }, 300); + }; - _this.hoveringOverSeekBar = false; - _this.hoverPosition = null; - _this.duration = null; - _this.firstFragDateTime = null; - _this.actualLiveTime = !!_this.mediaControl.options.actualLiveTime; - if (_this.actualLiveTime) { - if (_this.mediaControl.options.actualLiveServerTime) _this.actualLiveServerTimeDiff = new Date().getTime() - new Date(_this.mediaControl.options.actualLiveServerTime).getTime();else _this.actualLiveServerTimeDiff = 0; - } - return _this; - } + SpinnerThreeBouncePlugin.prototype.hide = function hide() { + if (this.showTimeout !== null) { + clearTimeout(this.showTimeout); + this.showTimeout = null; + } + this.$el.hide(); + }; - SeekTime.prototype.bindEvents = function bindEvents() { - this.listenTo(this.mediaControl, _events2.default.MEDIACONTROL_RENDERED, this.render); - this.listenTo(this.mediaControl, _events2.default.MEDIACONTROL_MOUSEMOVE_SEEKBAR, this.showTime); - this.listenTo(this.mediaControl, _events2.default.MEDIACONTROL_MOUSELEAVE_SEEKBAR, this.hideTime); - this.listenTo(this.mediaControl, _events2.default.MEDIACONTROL_CONTAINERCHANGED, this.onContainerChanged); - if (this.mediaControlContainer) { - this.listenTo(this.mediaControlContainer, _events2.default.CONTAINER_PLAYBACKDVRSTATECHANGED, this.update); - this.listenTo(this.mediaControlContainer, _events2.default.CONTAINER_TIMEUPDATE, this.updateDuration); - } - }; + SpinnerThreeBouncePlugin.prototype.render = function render() { + this.$el.html(this.template()); + this.container.$el.append(this.$el); + this.$el.hide(); + if (this.container.buffering) this.onBuffering(); - SeekTime.prototype.onContainerChanged = function onContainerChanged() { - this.stopListening(); - this.bindEvents(); - }; + return this; + }; - SeekTime.prototype.updateDuration = function updateDuration(timeProgress) { - this.duration = timeProgress.total; - this.firstFragDateTime = timeProgress.firstFragDateTime; - this.update(); - }; + return SpinnerThreeBouncePlugin; + }(_ui_container_plugin2.default); // Copyright 2014 Globo.com Player authors. All rights reserved. +// Use of this source code is governed by a BSD-style +// license that can be found in the LICENSE file. - SeekTime.prototype.showTime = function showTime(event) { - this.hoveringOverSeekBar = true; - this.calculateHoverPosition(event); - this.update(); - }; + exports.default = SpinnerThreeBouncePlugin; + module.exports = exports['default']; - SeekTime.prototype.hideTime = function hideTime() { - this.hoveringOverSeekBar = false; - this.update(); - }; + /***/ }), - SeekTime.prototype.calculateHoverPosition = function calculateHoverPosition(event) { - var offset = event.pageX - this.mediaControl.$seekBarContainer.offset().left; - // proportion into the seek bar that the mouse is hovered over 0-1 - this.hoverPosition = Math.min(1, Math.max(offset / this.mediaControl.$seekBarContainer.width(), 0)); - }; + /***/ "./src/plugins/stats/index.js": + /*!************************************!*\ + !*** ./src/plugins/stats/index.js ***! + \************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - SeekTime.prototype.getSeekTime = function getSeekTime() { - var seekTime = void 0, - secondsSinceMidnight = void 0, - d = void 0, - e = void 0; - if (this.useActualLiveTime) { - if (this.firstFragDateTime) { - e = new Date(this.firstFragDateTime); - d = new Date(this.firstFragDateTime); - d.setHours(0, 0, 0, 0); - secondsSinceMidnight = (e.getTime() - d.getTime()) / 1000 + this.duration; - } else { - d = new Date(new Date().getTime() - this.actualLiveServerTimeDiff); - e = new Date(d); - secondsSinceMidnight = (e - d.setHours(0, 0, 0, 0)) / 1000; - } - seekTime = secondsSinceMidnight - this.duration + this.hoverPosition * this.duration; - if (seekTime < 0) seekTime += 86400; - } else { - seekTime = this.hoverPosition * this.duration; - } + "use strict"; - return { seekTime: seekTime, secondsSinceMidnight: secondsSinceMidnight }; - }; - SeekTime.prototype.update = function update() { - if (!this.rendered) { - // update() is always called after a render - return; - } - if (!this.shouldBeVisible()) { - this.$el.hide(); - this.$el.css('left', '-100%'); - } else { - var seekTime = this.getSeekTime(); - var currentSeekTime = (0, _utils.formatTime)(seekTime.seekTime, this.useActualLiveTime); - // only update dom if necessary, ie time actually changed - if (currentSeekTime !== this.displayedSeekTime) { - this.$seekTimeEl.text(currentSeekTime); - this.displayedSeekTime = currentSeekTime; - } - - if (this.durationShown) { - this.$durationEl.show(); - var currentDuration = (0, _utils.formatTime)(this.actualLiveTime ? seekTime.secondsSinceMidnight : this.duration, this.actualLiveTime); - if (currentDuration !== this.displayedDuration) { - this.$durationEl.text(currentDuration); - this.displayedDuration = currentDuration; - } - } else { - this.$durationEl.hide(); - } + Object.defineProperty(exports, "__esModule", { + value: true + }); - // the element must be unhidden before its width is requested, otherwise it's width will be reported as 0 - this.$el.show(); - var containerWidth = this.mediaControl.$seekBarContainer.width(); - var elWidth = this.$el.width(); - var elLeftPos = this.hoverPosition * containerWidth; - elLeftPos -= elWidth / 2; - elLeftPos = Math.max(0, Math.min(elLeftPos, containerWidth - elWidth)); - this.$el.css('left', elLeftPos); - } - }; + var _stats = __webpack_require__(/*! ./stats */ "./src/plugins/stats/stats.js"); - SeekTime.prototype.shouldBeVisible = function shouldBeVisible() { - return this.mediaControlContainer && this.mediaControlContainer.settings.seekEnabled && this.hoveringOverSeekBar && this.hoverPosition !== null && this.duration !== null; - }; + var _stats2 = _interopRequireDefault(_stats); - SeekTime.prototype.render = function render() { - this.rendered = true; - this.displayedDuration = null; - this.displayedSeekTime = null; - this.$el.html(this.template()); - this.$el.hide(); - this.mediaControl.$el.append(this.el); - this.$seekTimeEl = this.$el.find('[data-seek-time]'); - this.$durationEl = this.$el.find('[data-duration]'); - this.$durationEl.hide(); - this.update(); - }; + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - return SeekTime; - }(_ui_core_plugin2.default); // Copyright 2014 Globo.com Player authors. All rights reserved. -// Use of this source code is governed by a BSD-style -// license that can be found in the LICENSE file. + exports.default = _stats2.default; + module.exports = exports['default']; - exports.default = SeekTime; - module.exports = exports['default']; + /***/ }), - /***/ }), - /* 236 */ - /***/ (function(module, exports) { + /***/ "./src/plugins/stats/stats.js": + /*!************************************!*\ + !*** ./src/plugins/stats/stats.js ***! + \************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { + + "use strict"; + + + Object.defineProperty(exports, "__esModule", { + value: true + }); - module.exports = "<span data-seek-time></span>\n<span data-duration></span>\n"; + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); - /***/ }), - /* 237 */ - /***/ (function(module, exports, __webpack_require__) { + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + var _possibleConstructorReturn2 = __webpack_require__(/*! babel-runtime/helpers/possibleConstructorReturn */ "./node_modules/babel-runtime/helpers/possibleConstructorReturn.js"); - var content = __webpack_require__(238); + var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); - if(typeof content === 'string') content = [[module.i, content, '']]; + var _createClass2 = __webpack_require__(/*! babel-runtime/helpers/createClass */ "./node_modules/babel-runtime/helpers/createClass.js"); - var transform; - var insertInto; + var _createClass3 = _interopRequireDefault(_createClass2); + var _inherits2 = __webpack_require__(/*! babel-runtime/helpers/inherits */ "./node_modules/babel-runtime/helpers/inherits.js"); + var _inherits3 = _interopRequireDefault(_inherits2); - var options = {"singleton":true,"hmr":true} + var _container_plugin = __webpack_require__(/*! ../../base/container_plugin */ "./src/base/container_plugin.js"); - options.transform = transform - options.insertInto = undefined; + var _container_plugin2 = _interopRequireDefault(_container_plugin); - var update = __webpack_require__(9)(content, options); + var _events = __webpack_require__(/*! ../../base/events */ "./src/base/events.js"); - if(content.locals) module.exports = content.locals; + var _events2 = _interopRequireDefault(_events); - if(false) { - module.hot.accept("!!../../../../node_modules/css-loader/index.js!../../../../node_modules/postcss-loader/lib/index.js!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/bruno.torres/workspace/clappr/clappr/src/base/scss!./seek_time.scss", function() { - var newContent = require("!!../../../../node_modules/css-loader/index.js!../../../../node_modules/postcss-loader/lib/index.js!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/bruno.torres/workspace/clappr/clappr/src/base/scss!./seek_time.scss"); + var _clapprZepto = __webpack_require__(/*! clappr-zepto */ "./node_modules/clappr-zepto/zepto.js"); - if(typeof newContent === 'string') newContent = [[module.id, newContent, '']]; + var _clapprZepto2 = _interopRequireDefault(_clapprZepto); - var locals = (function(a, b) { - var key, idx = 0; + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - for(key in a) { - if(!b || a[key] !== b[key]) return false; - idx++; + var StatsPlugin = function (_ContainerPlugin) { + (0, _inherits3.default)(StatsPlugin, _ContainerPlugin); + (0, _createClass3.default)(StatsPlugin, [{ + key: 'name', + get: function get() { + return 'stats'; } + }]); - for(key in b) idx--; + function StatsPlugin(container) { + (0, _classCallCheck3.default)(this, StatsPlugin); - return idx === 0; - }(content.locals, newContent.locals)); + var _this = (0, _possibleConstructorReturn3.default)(this, _ContainerPlugin.call(this, container)); - if(!locals) throw new Error('Aborting CSS HMR due to changed css-modules locals.'); + _this.setInitialAttrs(); + _this.reportInterval = _this.options.reportInterval || 5000; + _this.state = 'IDLE'; + return _this; + } - update(newContent); - }); + StatsPlugin.prototype.bindEvents = function bindEvents() { + this.listenTo(this.container.playback, _events2.default.PLAYBACK_PLAY, this.onPlay); + this.listenTo(this.container, _events2.default.CONTAINER_STOP, this.onStop); + this.listenTo(this.container, _events2.default.CONTAINER_ENDED, this.onStop); + this.listenTo(this.container, _events2.default.CONTAINER_DESTROYED, this.onStop); + this.listenTo(this.container, _events2.default.CONTAINER_STATE_BUFFERING, this.onBuffering); + this.listenTo(this.container, _events2.default.CONTAINER_STATE_BUFFERFULL, this.onBufferFull); + this.listenTo(this.container, _events2.default.CONTAINER_STATS_ADD, this.onStatsAdd); + this.listenTo(this.container, _events2.default.CONTAINER_BITRATE, this.onStatsAdd); + this.listenTo(this.container.playback, _events2.default.PLAYBACK_STATS_ADD, this.onStatsAdd); + }; - module.hot.dispose(function() { update(); }); - } + StatsPlugin.prototype.setInitialAttrs = function setInitialAttrs() { + this.firstPlay = true; + this.startupTime = 0; + this.rebufferingTime = 0; + this.watchingTime = 0; + this.rebuffers = 0; + this.externalMetrics = {}; + }; - /***/ }), - /* 238 */ - /***/ (function(module, exports, __webpack_require__) { + StatsPlugin.prototype.onPlay = function onPlay() { + this.state = 'PLAYING'; + this.watchingTimeInit = Date.now(); + if (!this.intervalId) this.intervalId = setInterval(this.report.bind(this), this.reportInterval); + }; - exports = module.exports = __webpack_require__(8)(false); -// imports + StatsPlugin.prototype.onStop = function onStop() { + clearInterval(this.intervalId); + this.report(); + this.intervalId = undefined; + this.state = 'STOPPED'; + }; + StatsPlugin.prototype.onBuffering = function onBuffering() { + if (this.firstPlay) this.startupTimeInit = Date.now();else this.rebufferingTimeInit = Date.now(); -// module - exports.push([module.i, ".seek-time[data-seek-time] {\n position: absolute;\n white-space: nowrap;\n height: 20px;\n line-height: 20px;\n font-size: 0;\n left: -100%;\n bottom: 55px;\n background-color: rgba(2, 2, 2, 0.5);\n z-index: 9999;\n transition: opacity 0.1s ease; }\n .seek-time[data-seek-time].hidden[data-seek-time] {\n opacity: 0; }\n .seek-time[data-seek-time] [data-seek-time] {\n display: inline-block;\n color: white;\n font-size: 10px;\n padding-left: 7px;\n padding-right: 7px;\n vertical-align: top; }\n .seek-time[data-seek-time] [data-duration] {\n display: inline-block;\n color: rgba(255, 255, 255, 0.5);\n font-size: 10px;\n padding-right: 7px;\n vertical-align: top; }\n .seek-time[data-seek-time] [data-duration]:before {\n content: \"|\";\n margin-right: 7px; }\n", ""]); + this.state = 'BUFFERING'; + this.rebuffers++; + }; -// exports + StatsPlugin.prototype.onBufferFull = function onBufferFull() { + if (this.firstPlay && this.startupTimeInit) { + this.firstPlay = false; + this.startupTime = Date.now() - this.startupTimeInit; + this.watchingTimeInit = Date.now(); + } else if (this.rebufferingTimeInit) { + this.rebufferingTime += this.getRebufferingTime(); + } + this.rebufferingTimeInit = undefined; + this.state = 'PLAYING'; + }; - /***/ }), - /* 239 */ - /***/ (function(module, exports, __webpack_require__) { + StatsPlugin.prototype.getRebufferingTime = function getRebufferingTime() { + return Date.now() - this.rebufferingTimeInit; + }; - "use strict"; + StatsPlugin.prototype.getWatchingTime = function getWatchingTime() { + var totalTime = Date.now() - this.watchingTimeInit; + return totalTime - this.rebufferingTime; + }; + StatsPlugin.prototype.isRebuffering = function isRebuffering() { + return !!this.rebufferingTimeInit; + }; - Object.defineProperty(exports, "__esModule", { - value: true - }); + StatsPlugin.prototype.onStatsAdd = function onStatsAdd(metric) { + _clapprZepto2.default.extend(this.externalMetrics, metric); + }; - var _classCallCheck2 = __webpack_require__(0); + StatsPlugin.prototype.getStats = function getStats() { + var metrics = { + startupTime: this.startupTime, + rebuffers: this.rebuffers, + rebufferingTime: this.isRebuffering() ? this.rebufferingTime + this.getRebufferingTime() : this.rebufferingTime, + watchingTime: this.isRebuffering() ? this.getWatchingTime() - this.getRebufferingTime() : this.getWatchingTime() + }; + _clapprZepto2.default.extend(metrics, this.externalMetrics); + return metrics; + }; - var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + StatsPlugin.prototype.report = function report() { + this.container.statsReport(this.getStats()); + }; - var _createClass2 = __webpack_require__(3); + return StatsPlugin; + }(_container_plugin2.default); // Copyright 2014 Globo.com Player authors. All rights reserved. +// Use of this source code is governed by a BSD-style +// license that can be found in the LICENSE file. - var _createClass3 = _interopRequireDefault(_createClass2); + exports.default = StatsPlugin; + module.exports = exports['default']; - var _possibleConstructorReturn2 = __webpack_require__(1); + /***/ }), - var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); + /***/ "./src/plugins/strings.js": + /*!********************************!*\ + !*** ./src/plugins/strings.js ***! + \********************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - var _inherits2 = __webpack_require__(2); + "use strict"; - var _inherits3 = _interopRequireDefault(_inherits2); - var _core_plugin = __webpack_require__(35); + Object.defineProperty(exports, "__esModule", { + value: true + }); - var _core_plugin2 = _interopRequireDefault(_core_plugin); + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); - var _events = __webpack_require__(4); + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); - var _events2 = _interopRequireDefault(_events); + var _possibleConstructorReturn2 = __webpack_require__(/*! babel-runtime/helpers/possibleConstructorReturn */ "./node_modules/babel-runtime/helpers/possibleConstructorReturn.js"); - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); - var SourcesPlugin = function (_CorePlugin) { - (0, _inherits3.default)(SourcesPlugin, _CorePlugin); + var _createClass2 = __webpack_require__(/*! babel-runtime/helpers/createClass */ "./node_modules/babel-runtime/helpers/createClass.js"); - function SourcesPlugin() { - (0, _classCallCheck3.default)(this, SourcesPlugin); - return (0, _possibleConstructorReturn3.default)(this, _CorePlugin.apply(this, arguments)); - } + var _createClass3 = _interopRequireDefault(_createClass2); - SourcesPlugin.prototype.bindEvents = function bindEvents() { - this.listenTo(this.core, _events2.default.CORE_CONTAINERS_CREATED, this.onContainersCreated); - }; + var _inherits2 = __webpack_require__(/*! babel-runtime/helpers/inherits */ "./node_modules/babel-runtime/helpers/inherits.js"); - SourcesPlugin.prototype.onContainersCreated = function onContainersCreated() { - var firstValidSource = this.core.containers.filter(function (container) { - return container.playback.name !== 'no_op'; - })[0] || this.core.containers[0]; - if (firstValidSource) { - this.core.containers.forEach(function (container) { - if (container !== firstValidSource) container.destroy(); - }); - } - }; + var _inherits3 = _interopRequireDefault(_inherits2); - (0, _createClass3.default)(SourcesPlugin, [{ - key: 'name', - get: function get() { - return 'sources'; - } - }]); - return SourcesPlugin; - }(_core_plugin2.default); + var _utils = __webpack_require__(/*! ../base/utils */ "./src/base/utils.js"); - exports.default = SourcesPlugin; - module.exports = exports['default']; + var _clapprZepto = __webpack_require__(/*! clappr-zepto */ "./node_modules/clappr-zepto/zepto.js"); - /***/ }), - /* 240 */ - /***/ (function(module, exports, __webpack_require__) { + var _clapprZepto2 = _interopRequireDefault(_clapprZepto); - "use strict"; + var _core_plugin = __webpack_require__(/*! ../base/core_plugin */ "./src/base/core_plugin.js"); + var _core_plugin2 = _interopRequireDefault(_core_plugin); - Object.defineProperty(exports, "__esModule", { - value: true - }); + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - var _classCallCheck2 = __webpack_require__(0); + /** + * The internationalization (i18n) plugin + * @class Strings + * @constructor + * @extends CorePlugin + * @module plugins + */ + var Strings = function (_CorePlugin) { + (0, _inherits3.default)(Strings, _CorePlugin); + (0, _createClass3.default)(Strings, [{ + key: 'name', + get: function get() { + return 'strings'; + } + }]); - var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + function Strings(core) { + (0, _classCallCheck3.default)(this, Strings); - var _createClass2 = __webpack_require__(3); + var _this = (0, _possibleConstructorReturn3.default)(this, _CorePlugin.call(this, core)); - var _createClass3 = _interopRequireDefault(_createClass2); + _this._initializeMessages(); + return _this; + } + /** + * Gets a translated string for the given key. + * @method t + * @param {String} key the key to all messages + * @return {String} translated label + */ - var _possibleConstructorReturn2 = __webpack_require__(1); - var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); + Strings.prototype.t = function t(key) { + var lang = this._language(); + var fallbackLang = this._messages['en']; + var i18n = lang && this._messages[lang] || fallbackLang; + return i18n[key] || fallbackLang[key] || key; + }; - var _inherits2 = __webpack_require__(2); + Strings.prototype._language = function _language() { + return this.core.options.language || (0, _utils.getBrowserLanguage)(); + }; - var _inherits3 = _interopRequireDefault(_inherits2); + Strings.prototype._initializeMessages = function _initializeMessages() { + var defaultMessages = { + 'en': { + 'live': 'live', + 'back_to_live': 'back to live', + 'disabled': 'Disabled', + 'playback_not_supported': 'Your browser does not support the playback of this video. Please try using a different browser.', + 'default_error_title': 'Could not play video.', + 'default_error_message': 'There was a problem trying to load the video.' + }, + 'pt': { + 'live': 'ao vivo', + 'back_to_live': 'voltar para o ao vivo', + 'disabled': 'Desativado', + 'playback_not_supported': 'Seu navegador não supporta a reprodução deste video. Por favor, tente usar um navegador diferente.', + 'default_error_title': 'Não foi possível reproduzir o vídeo.', + 'default_error_message': 'Ocorreu um problema ao tentar carregar o vídeo.' + }, + 'es': { + 'live': 'vivo', + 'back_to_live': 'volver en vivo', + 'disabled': 'Discapacitado', + 'playback_not_supported': 'Su navegador no soporta la reproducción de un video. Por favor, trate de usar un navegador diferente.' + }, + 'ru': { + 'live': 'прямой эфир', + 'back_to_live': 'к прямому эфиру', + 'disabled': 'Отключено', + 'playback_not_supported': 'Ваш браузер не поддерживает воспроизведение этого видео. Пожалуйста, попробуйте другой браузер.' + }, + 'fr': { + 'live': 'en direct', + 'back_to_live': 'retour au direct', + 'disabled': 'Désactivé', + 'playback_not_supported': 'Votre navigateur ne supporte pas la lecture de cette vidéo. Merci de tenter sur un autre navigateur.', + 'default_error_title': 'Impossible de lire la vidéo.', + 'default_error_message': 'Un problème est survenu lors du chargement de la vidéo.' + }, + 'tr': { + 'live': 'canlı', + 'back_to_live': 'canlı yayına dön', + 'disabled': 'Engelli', + 'playback_not_supported': 'Tarayıcınız bu videoyu oynatma desteğine sahip değil. Lütfen farklı bir tarayıcı ile deneyin.' + }, + 'et': { + 'live': 'Otseülekanne', + 'back_to_live': 'Tagasi otseülekande juurde', + 'disabled': 'Keelatud', + 'playback_not_supported': 'Teie brauser ei toeta selle video taasesitust. Proovige kasutada muud brauserit.' + }, + 'ar': { + 'live': 'مباشر', + 'back_to_live': 'الرجوع إلى المباشر', + 'disabled': 'معطّل', + 'playback_not_supported': 'المتصفح الذي تستخدمه لا يدعم تشغيل هذا الفيديو. الرجاء إستخدام متصفح آخر.', + 'default_error_title': 'غير قادر الى التشغيل.', + 'default_error_message': 'حدثت مشكلة أثناء تحميل الفيديو.' + } + }; - var _events = __webpack_require__(4); + this._messages = _clapprZepto2.default.extend(true, defaultMessages, this.core.options.strings || {}); + this._messages['pt-BR'] = this._messages['pt']; + this._messages['en-US'] = this._messages['en']; + this._messages['es-419'] = this._messages['es']; + this._messages['fr-FR'] = this._messages['fr']; + this._messages['tr-TR'] = this._messages['tr']; + this._messages['et-EE'] = this._messages['et']; + this._messages['ar-IQ'] = this._messages['ar']; + }; - var _events2 = _interopRequireDefault(_events); + return Strings; + }(_core_plugin2.default); - var _core_plugin = __webpack_require__(35); + exports.default = Strings; + module.exports = exports['default']; - var _core_plugin2 = _interopRequireDefault(_core_plugin); + /***/ }), - var _utils = __webpack_require__(5); + /***/ "./src/plugins/watermark/index.js": + /*!****************************************!*\ + !*** ./src/plugins/watermark/index.js ***! + \****************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + "use strict"; - var EndVideo = function (_CorePlugin) { - (0, _inherits3.default)(EndVideo, _CorePlugin); - function EndVideo() { - (0, _classCallCheck3.default)(this, EndVideo); - return (0, _possibleConstructorReturn3.default)(this, _CorePlugin.apply(this, arguments)); - } + Object.defineProperty(exports, "__esModule", { + value: true + }); - EndVideo.prototype.bindEvents = function bindEvents() { - this.listenTo(this.core, _events2.default.CORE_ACTIVE_CONTAINER_CHANGED, this.containerChanged); - var container = this.core.activeContainer; - if (container) { - this.listenTo(container, _events2.default.CONTAINER_ENDED, this.ended); - this.listenTo(container, _events2.default.CONTAINER_STOP, this.ended); - } - }; + var _watermark = __webpack_require__(/*! ./watermark */ "./src/plugins/watermark/watermark.js"); - EndVideo.prototype.containerChanged = function containerChanged() { - this.stopListening(); - this.bindEvents(); - }; + var _watermark2 = _interopRequireDefault(_watermark); - EndVideo.prototype.ended = function ended() { - var exitOnEnd = typeof this.core.options.exitFullscreenOnEnd === 'undefined' || this.core.options.exitFullscreenOnEnd; - if (exitOnEnd && _utils.Fullscreen.isFullscreen()) this.core.toggleFullscreen(); - }; + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - (0, _createClass3.default)(EndVideo, [{ - key: 'name', - get: function get() { - return 'end_video'; - } - }]); - return EndVideo; - }(_core_plugin2.default); + exports.default = _watermark2.default; + module.exports = exports['default']; - exports.default = EndVideo; - module.exports = exports['default']; + /***/ }), - /***/ }), - /* 241 */ - /***/ (function(module, exports, __webpack_require__) { + /***/ "./src/plugins/watermark/public/watermark.html": + /*!*****************************************************!*\ + !*** ./src/plugins/watermark/public/watermark.html ***! + \*****************************************************/ + /*! no static exports found */ + /***/ (function(module, exports) { - "use strict"; + module.exports = "<div class=\"clappr-watermark\" data-watermark data-watermark-<%=position %>>\n<% if(typeof imageLink !== 'undefined') { %>\n<a target=_blank href=\"<%= imageLink %>\">\n<% } %>\n<img src=\"<%= imageUrl %>\">\n<% if(typeof imageLink !== 'undefined') { %>\n</a>\n<% } %>\n</div>\n"; + /***/ }), - Object.defineProperty(exports, "__esModule", { - value: true - }); + /***/ "./src/plugins/watermark/public/watermark.scss": + /*!*****************************************************!*\ + !*** ./src/plugins/watermark/public/watermark.scss ***! + \*****************************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - var _classCallCheck2 = __webpack_require__(0); - var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + var content = __webpack_require__(/*! !../../../../node_modules/css-loader!../../../../node_modules/postcss-loader/lib!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/joaopaulo/Workstation/JS/clappr/src/base/scss!./watermark.scss */ "./node_modules/css-loader/index.js!./node_modules/postcss-loader/lib/index.js!./node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/joaopaulo/Workstation/JS/clappr/src/base/scss!./src/plugins/watermark/public/watermark.scss"); - var _possibleConstructorReturn2 = __webpack_require__(1); + if(typeof content === 'string') content = [[module.i, content, '']]; - var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); + var transform; + var insertInto; - var _createClass2 = __webpack_require__(3); - var _createClass3 = _interopRequireDefault(_createClass2); - var _inherits2 = __webpack_require__(2); + var options = {"singleton":true,"hmr":true} - var _inherits3 = _interopRequireDefault(_inherits2); + options.transform = transform + options.insertInto = undefined; - var _utils = __webpack_require__(5); + var update = __webpack_require__(/*! ../../../../node_modules/style-loader/lib/addStyles.js */ "./node_modules/style-loader/lib/addStyles.js")(content, options); - var _clapprZepto = __webpack_require__(6); + if(content.locals) module.exports = content.locals; - var _clapprZepto2 = _interopRequireDefault(_clapprZepto); + if(false) {} - var _core_plugin = __webpack_require__(35); + /***/ }), - var _core_plugin2 = _interopRequireDefault(_core_plugin); + /***/ "./src/plugins/watermark/watermark.js": + /*!********************************************!*\ + !*** ./src/plugins/watermark/watermark.js ***! + \********************************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + "use strict"; - /** - * The internationalization (i18n) plugin - * @class Strings - * @constructor - * @extends CorePlugin - * @module plugins - */ - var Strings = function (_CorePlugin) { - (0, _inherits3.default)(Strings, _CorePlugin); - (0, _createClass3.default)(Strings, [{ - key: 'name', - get: function get() { - return 'strings'; - } - }]); - function Strings(core) { - (0, _classCallCheck3.default)(this, Strings); + Object.defineProperty(exports, "__esModule", { + value: true + }); - var _this = (0, _possibleConstructorReturn3.default)(this, _CorePlugin.call(this, core)); + var _classCallCheck2 = __webpack_require__(/*! babel-runtime/helpers/classCallCheck */ "./node_modules/babel-runtime/helpers/classCallCheck.js"); - _this._initializeMessages(); - return _this; - } - /** - * Gets a translated string for the given key. - * @method t - * @param {String} key the key to all messages - * @return {String} translated label - */ + var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + var _possibleConstructorReturn2 = __webpack_require__(/*! babel-runtime/helpers/possibleConstructorReturn */ "./node_modules/babel-runtime/helpers/possibleConstructorReturn.js"); - Strings.prototype.t = function t(key) { - var lang = this._language(); - var fallbackLang = this._messages['en']; - var i18n = lang && this._messages[lang] || fallbackLang; - return i18n[key] || fallbackLang[key] || key; - }; + var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); - Strings.prototype._language = function _language() { - return this.core.options.language || (0, _utils.getBrowserLanguage)(); - }; + var _createClass2 = __webpack_require__(/*! babel-runtime/helpers/createClass */ "./node_modules/babel-runtime/helpers/createClass.js"); - Strings.prototype._initializeMessages = function _initializeMessages() { - var defaultMessages = { - 'en': { - 'live': 'live', - 'back_to_live': 'back to live', - 'disabled': 'Disabled', - 'playback_not_supported': 'Your browser does not support the playback of this video. Please try using a different browser.', - 'default_error_title': 'Could not play video.', - 'default_error_message': 'There was a problem trying to load the video.' - }, - 'pt': { - 'live': 'ao vivo', - 'back_to_live': 'voltar para o ao vivo', - 'disabled': 'Desativado', - 'playback_not_supported': 'Seu navegador não supporta a reprodução deste video. Por favor, tente usar um navegador diferente.', - 'default_error_title': 'Não foi possível reproduzir o vídeo.', - 'default_error_message': 'Ocorreu um problema ao tentar carregar o vídeo.' - }, - 'es': { - 'live': 'vivo', - 'back_to_live': 'volver en vivo', - 'disabled': 'Discapacitado', - 'playback_not_supported': 'Su navegador no soporta la reproducción de un video. Por favor, trate de usar un navegador diferente.' - }, - 'ru': { - 'live': 'прямой эфир', - 'back_to_live': 'к прямому эфиру', - 'disabled': 'Отключено', - 'playback_not_supported': 'Ваш браузер не поддерживает воспроизведение этого видео. Пожалуйста, попробуйте другой браузер.' - }, - 'fr': { - 'live': 'en direct', - 'back_to_live': 'retour au direct', - 'disabled': 'Désactivé', - 'playback_not_supported': 'Votre navigateur ne supporte pas la lecture de cette vidéo. Merci de tenter sur un autre navigateur.', - 'default_error_title': 'Impossible de lire la vidéo.', - 'default_error_message': 'Un problème est survenu lors du chargement de la vidéo.' - }, - 'tr': { - 'live': 'canlı', - 'back_to_live': 'canlı yayına dön', - 'disabled': 'Engelli', - 'playback_not_supported': 'Tarayıcınız bu videoyu oynatma desteğine sahip değil. Lütfen farklı bir tarayıcı ile deneyin.' - }, - 'et': { - 'live': 'Otseülekanne', - 'back_to_live': 'Tagasi otseülekande juurde', - 'disabled': 'Keelatud', - 'playback_not_supported': 'Teie brauser ei toeta selle video taasesitust. Proovige kasutada muud brauserit.' - } - }; + var _createClass3 = _interopRequireDefault(_createClass2); - this._messages = _clapprZepto2.default.extend(true, defaultMessages, this.core.options.strings || {}); - this._messages['pt-BR'] = this._messages['pt']; - this._messages['en-US'] = this._messages['en']; - this._messages['es-419'] = this._messages['es']; - this._messages['fr-FR'] = this._messages['fr']; - this._messages['tr-TR'] = this._messages['tr']; - this._messages['et-EE'] = this._messages['et']; - }; + var _inherits2 = __webpack_require__(/*! babel-runtime/helpers/inherits */ "./node_modules/babel-runtime/helpers/inherits.js"); - return Strings; - }(_core_plugin2.default); + var _inherits3 = _interopRequireDefault(_inherits2); - exports.default = Strings; - module.exports = exports['default']; + var _ui_container_plugin = __webpack_require__(/*! ../../base/ui_container_plugin */ "./src/base/ui_container_plugin.js"); - /***/ }), - /* 242 */ - /***/ (function(module, exports, __webpack_require__) { + var _ui_container_plugin2 = _interopRequireDefault(_ui_container_plugin); - "use strict"; + var _events = __webpack_require__(/*! ../../base/events */ "./src/base/events.js"); + var _events2 = _interopRequireDefault(_events); - Object.defineProperty(exports, "__esModule", { - value: true - }); + var _template = __webpack_require__(/*! ../../base/template */ "./src/base/template.js"); - var _error_screen = __webpack_require__(243); + var _template2 = _interopRequireDefault(_template); - var _error_screen2 = _interopRequireDefault(_error_screen); + var _watermark = __webpack_require__(/*! ./public/watermark.html */ "./src/plugins/watermark/public/watermark.html"); - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + var _watermark2 = _interopRequireDefault(_watermark); - exports.default = _error_screen2.default; - module.exports = exports['default']; + __webpack_require__(/*! ./public/watermark.scss */ "./src/plugins/watermark/public/watermark.scss"); - /***/ }), - /* 243 */ - /***/ (function(module, exports, __webpack_require__) { + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - "use strict"; + var WaterMarkPlugin = function (_UIContainerPlugin) { + (0, _inherits3.default)(WaterMarkPlugin, _UIContainerPlugin); + (0, _createClass3.default)(WaterMarkPlugin, [{ + key: 'name', + get: function get() { + return 'watermark'; + } + }, { + key: 'template', + get: function get() { + return (0, _template2.default)(_watermark2.default); + } + }]); + function WaterMarkPlugin(container) { + (0, _classCallCheck3.default)(this, WaterMarkPlugin); - Object.defineProperty(exports, "__esModule", { - value: true - }); + var _this = (0, _possibleConstructorReturn3.default)(this, _UIContainerPlugin.call(this, container)); - var _classCallCheck2 = __webpack_require__(0); + _this.configure(); + return _this; + } - var _classCallCheck3 = _interopRequireDefault(_classCallCheck2); + WaterMarkPlugin.prototype.bindEvents = function bindEvents() { + this.listenTo(this.container, _events2.default.CONTAINER_PLAY, this.onPlay); + this.listenTo(this.container, _events2.default.CONTAINER_STOP, this.onStop); + this.listenTo(this.container, _events2.default.CONTAINER_OPTIONS_CHANGE, this.configure); + }; - var _possibleConstructorReturn2 = __webpack_require__(1); + WaterMarkPlugin.prototype.configure = function configure() { + this.position = this.options.position || 'bottom-right'; + if (this.options.watermark) { + this.imageUrl = this.options.watermark; + this.imageLink = this.options.watermarkLink; + this.render(); + } else { + this.$el.remove(); + } + }; - var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2); + WaterMarkPlugin.prototype.onPlay = function onPlay() { + if (!this.hidden) this.$el.show(); + }; - var _createClass2 = __webpack_require__(3); + WaterMarkPlugin.prototype.onStop = function onStop() { + this.$el.hide(); + }; - var _createClass3 = _interopRequireDefault(_createClass2); + WaterMarkPlugin.prototype.render = function render() { + this.$el.hide(); + var templateOptions = { position: this.position, imageUrl: this.imageUrl, imageLink: this.imageLink }; + this.$el.html(this.template(templateOptions)); + this.container.$el.append(this.$el); + return this; + }; - var _inherits2 = __webpack_require__(2); + return WaterMarkPlugin; + }(_ui_container_plugin2.default); // Copyright 2014 Globo.com Player authors. All rights reserved. +// Use of this source code is governed by a BSD-style +// license that can be found in the LICENSE file. - var _inherits3 = _interopRequireDefault(_inherits2); + exports.default = WaterMarkPlugin; + module.exports = exports['default']; - var _events = __webpack_require__(4); + /***/ }), - var _events2 = _interopRequireDefault(_events); + /***/ "./src/vendor/index.js": + /*!*****************************!*\ + !*** ./src/vendor/index.js ***! + \*****************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - var _ui_core_plugin = __webpack_require__(23); + "use strict"; - var _ui_core_plugin2 = _interopRequireDefault(_ui_core_plugin); - var _template = __webpack_require__(7); + Object.defineProperty(exports, "__esModule", { + value: true + }); - var _template2 = _interopRequireDefault(_template); + var _kibo = __webpack_require__(/*! ./kibo */ "./src/vendor/kibo.js"); - var _error = __webpack_require__(24); + var _kibo2 = _interopRequireDefault(_kibo); - var _error2 = _interopRequireDefault(_error); + function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } - var _reload = __webpack_require__(244); + exports.default = { Kibo: _kibo2.default }; + module.exports = exports['default']; - var _reload2 = _interopRequireDefault(_reload); + /***/ }), - var _error_screen = __webpack_require__(245); + /***/ "./src/vendor/kibo.js": + /*!****************************!*\ + !*** ./src/vendor/kibo.js ***! + \****************************/ + /*! no static exports found */ + /***/ (function(module, exports, __webpack_require__) { - var _error_screen2 = _interopRequireDefault(_error_screen); + "use strict"; - __webpack_require__(246); - function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } + Object.defineProperty(exports, "__esModule", { + value: true + }); + /* eslint-disable */ +// Kibo is released under the MIT License. Copyright (c) 2013 marquete. +// see https://github.com/marquete/kibo - var ErrorScreen = function (_UICorePlugin) { - (0, _inherits3.default)(ErrorScreen, _UICorePlugin); - (0, _createClass3.default)(ErrorScreen, [{ - key: 'name', - get: function get() { - return 'error_screen'; - } - }, { - key: 'template', - get: function get() { - return (0, _template2.default)(_error_screen2.default); - } - }, { - key: 'container', - get: function get() { - return this.core.getCurrentContainer(); - } - }, { - key: 'attributes', - get: function get() { - return { - 'class': 'player-error-screen', - 'data-error-screen': '' - }; + var Kibo = function Kibo(element) { + this.element = element || window.document; + this.initialize(); + }; + + Kibo.KEY_NAMES_BY_CODE = { + 8: 'backspace', 9: 'tab', 13: 'enter', + 16: 'shift', 17: 'ctrl', 18: 'alt', + 20: 'caps_lock', + 27: 'esc', + 32: 'space', + 37: 'left', 38: 'up', 39: 'right', 40: 'down', + 48: '0', 49: '1', 50: '2', 51: '3', 52: '4', 53: '5', 54: '6', 55: '7', 56: '8', 57: '9', + 65: 'a', 66: 'b', 67: 'c', 68: 'd', 69: 'e', 70: 'f', 71: 'g', 72: 'h', 73: 'i', 74: 'j', + 75: 'k', 76: 'l', 77: 'm', 78: 'n', 79: 'o', 80: 'p', 81: 'q', 82: 'r', 83: 's', 84: 't', + 85: 'u', 86: 'v', 87: 'w', 88: 'x', 89: 'y', 90: 'z', 112: 'f1', 113: 'f2', 114: 'f3', + 115: 'f4', 116: 'f5', 117: 'f6', 118: 'f7', 119: 'f8', 120: 'f9', 121: 'f10', 122: 'f11', 123: 'f12' + }; + + Kibo.KEY_CODES_BY_NAME = {}; + (function () { + for (var key in Kibo.KEY_NAMES_BY_CODE) { + if (Object.prototype.hasOwnProperty.call(Kibo.KEY_NAMES_BY_CODE, key)) { + Kibo.KEY_CODES_BY_NAME[Kibo.KEY_NAMES_BY_CODE[key]] = +key; + } } - }]); + })(); - function ErrorScreen(core) { - var _ret; + Kibo.MODIFIERS = ['shift', 'ctrl', 'alt']; - (0, _classCallCheck3.default)(this, ErrorScreen); - - var _this = (0, _possibleConstructorReturn3.default)(this, _UICorePlugin.call(this, core)); + Kibo.registerEvent = function () { + if (document.addEventListener) { + return function (element, eventName, func) { + element.addEventListener(eventName, func, false); + }; + } else if (document.attachEvent) { + return function (element, eventName, func) { + element.attachEvent('on' + eventName, func); + }; + } + }(); - if (_this.options.disableErrorScreen) return _ret = _this.disable(), (0, _possibleConstructorReturn3.default)(_this, _ret); - return _this; - } + Kibo.unregisterEvent = function () { + if (document.removeEventListener) { + return function (element, eventName, func) { + element.removeEventListener(eventName, func, false); + }; + } else if (document.detachEvent) { + return function (element, eventName, func) { + element.detachEvent('on' + eventName, func); + }; + } + }(); - ErrorScreen.prototype.bindEvents = function bindEvents() { - this.listenTo(this.core, _events2.default.ERROR, this.onError); - this.listenTo(this.core, _events2.default.CORE_ACTIVE_CONTAINER_CHANGED, this.onContainerChanged); + Kibo.stringContains = function (string, substring) { + return string.indexOf(substring) !== -1; }; - ErrorScreen.prototype.bindReload = function bindReload() { - this.reloadButton = this.$el.find('.player-error-screen__reload'); - this.reloadButton && this.reloadButton.on('click', this.reload.bind(this)); + Kibo.neatString = function (string) { + return string.replace(/^\s+|\s+$/g, '').replace(/\s+/g, ' '); }; - ErrorScreen.prototype.reload = function reload() { - var _this2 = this; - - this.listenToOnce(this.core, _events2.default.CORE_READY, function () { - return _this2.container.play(); + Kibo.capitalize = function (string) { + return string.toLowerCase().replace(/^./, function (match) { + return match.toUpperCase(); }); - this.core.load(this.options.sources, this.options.mimeType); - this.unbindReload(); - }; - - ErrorScreen.prototype.unbindReload = function unbindReload() { - this.reloadButton && this.reloadButton.off('click'); }; - ErrorScreen.prototype.onContainerChanged = function onContainerChanged() { - this.err = null; - this.unbindReload(); - this.hide(); + Kibo.isString = function (what) { + return Kibo.stringContains(Object.prototype.toString.call(what), 'String'); }; - ErrorScreen.prototype.onError = function onError() { - var err = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {}; - - if (err.level === _error2.default.Levels.FATAL) { - this.err = err; - this.container.disableMediaControl(); - this.container.stop(); - this.show(); + Kibo.arrayIncludes = function () { + if (Array.prototype.indexOf) { + return function (haystack, needle) { + return haystack.indexOf(needle) !== -1; + }; + } else { + return function (haystack, needle) { + for (var i = 0; i < haystack.length; i++) { + if (haystack[i] === needle) { + return true; + } + } + return false; + }; } - }; + }(); - ErrorScreen.prototype.show = function show() { - this.render(); - this.$el.show(); + Kibo.extractModifiers = function (keyCombination) { + var modifiers, i; + modifiers = []; + for (i = 0; i < Kibo.MODIFIERS.length; i++) { + if (Kibo.stringContains(keyCombination, Kibo.MODIFIERS[i])) { + modifiers.push(Kibo.MODIFIERS[i]); + } + } + return modifiers; }; - ErrorScreen.prototype.hide = function hide() { - this.$el.hide(); + Kibo.extractKey = function (keyCombination) { + var keys, i; + keys = Kibo.neatString(keyCombination).split(' '); + for (i = 0; i < keys.length; i++) { + if (!Kibo.arrayIncludes(Kibo.MODIFIERS, keys[i])) { + return keys[i]; + } + } }; - ErrorScreen.prototype.render = function render() { - if (!this.err) return; + Kibo.modifiersAndKey = function (keyCombination) { + var result, key; - this.$el.html(this.template({ - title: this.err.UI.title, - message: this.err.UI.message, - code: this.err.code, - icon: this.err.UI.icon || '', - reloadIcon: _reload2.default - })); + if (Kibo.stringContains(keyCombination, 'any')) { + return Kibo.neatString(keyCombination).split(' ').slice(0, 2).join(' '); + } - this.core.$el.append(this.el); + result = Kibo.extractModifiers(keyCombination); - this.bindReload(); + key = Kibo.extractKey(keyCombination); + if (key && !Kibo.arrayIncludes(Kibo.MODIFIERS, key)) { + result.push(key); + } - return this; + return result.join(' '); }; - return ErrorScreen; - }(_ui_core_plugin2.default); + Kibo.keyName = function (keyCode) { + return Kibo.KEY_NAMES_BY_CODE[keyCode + '']; + }; - exports.default = ErrorScreen; - module.exports = exports['default']; + Kibo.keyCode = function (keyName) { + return +Kibo.KEY_CODES_BY_NAME[keyName]; + }; - /***/ }), - /* 244 */ - /***/ (function(module, exports) { + Kibo.prototype.initialize = function () { + var i, + that = this; - module.exports = "<svg fill=\"#FFFFFF\" viewBox=\"0 0 24 24\" xmlns=\"http://www.w3.org/2000/svg\"><path d=\"M17.65 6.35C16.2 4.9 14.21 4 12 4c-4.42 0-7.99 3.58-7.99 8s3.57 8 7.99 8c3.73 0 6.84-2.55 7.73-6h-2.08c-.82 2.33-3.04 4-5.65 4-3.31 0-6-2.69-6-6s2.69-6 6-6c1.66 0 3.14.69 4.22 1.78L13 11h7V4l-2.35 2.35z\"></path><path d=\"M0 0h24v24H0z\" fill=\"none\"></path></svg>" + this.lastKeyCode = -1; + this.lastModifiers = {}; + for (i = 0; i < Kibo.MODIFIERS.length; i++) { + this.lastModifiers[Kibo.MODIFIERS[i]] = false; + } - /***/ }), - /* 245 */ - /***/ (function(module, exports) { + this.keysDown = { any: [] }; + this.keysUp = { any: [] }; + this.downHandler = this.handler('down'); + this.upHandler = this.handler('up'); - module.exports = "<div class=\"player-error-screen__content\" data-error-screen>\n <% if (icon) { %>\n <div class=\"player-error-screen__icon\" data-error-screen><%= icon %></div>\n <% } %>\n <div class=\"player-error-screen__title\" data-error-screen><%= title %></div>\n <div class=\"player-error-screen__message\" data-error-screen><%= message %></div>\n <div class=\"player-error-screen__code\" data-error-screen>Error code: <%= code %></div>\n <div class=\"player-error-screen__reload\" data-error-screen><%= reloadIcon %></div>\n</div>\n"; + Kibo.registerEvent(this.element, 'keydown', this.downHandler); + Kibo.registerEvent(this.element, 'keyup', this.upHandler); + Kibo.registerEvent(window, 'unload', function unloader() { + Kibo.unregisterEvent(that.element, 'keydown', that.downHandler); + Kibo.unregisterEvent(that.element, 'keyup', that.upHandler); + Kibo.unregisterEvent(window, 'unload', unloader); + }); + }; - /***/ }), - /* 246 */ - /***/ (function(module, exports, __webpack_require__) { + Kibo.prototype.handler = function (upOrDown) { + var that = this; + return function (e) { + var i, registeredKeys, lastModifiersAndKey; + e = e || window.event; - var content = __webpack_require__(247); + that.lastKeyCode = e.keyCode; + for (i = 0; i < Kibo.MODIFIERS.length; i++) { + that.lastModifiers[Kibo.MODIFIERS[i]] = e[Kibo.MODIFIERS[i] + 'Key']; + } + if (Kibo.arrayIncludes(Kibo.MODIFIERS, Kibo.keyName(that.lastKeyCode))) { + that.lastModifiers[Kibo.keyName(that.lastKeyCode)] = true; + } - if(typeof content === 'string') content = [[module.i, content, '']]; + registeredKeys = that['keys' + Kibo.capitalize(upOrDown)]; - var transform; - var insertInto; + for (i = 0; i < registeredKeys.any.length; i++) { + if (registeredKeys.any[i](e) === false && e.preventDefault) { + e.preventDefault(); + } + } + lastModifiersAndKey = that.lastModifiersAndKey(); + if (registeredKeys[lastModifiersAndKey]) { + for (i = 0; i < registeredKeys[lastModifiersAndKey].length; i++) { + if (registeredKeys[lastModifiersAndKey][i](e) === false && e.preventDefault) { + e.preventDefault(); + } + } + } + }; + }; + Kibo.prototype.registerKeys = function (upOrDown, newKeys, func) { + var i, + keys, + registeredKeys = this['keys' + Kibo.capitalize(upOrDown)]; - var options = {"singleton":true,"hmr":true} + if (Kibo.isString(newKeys)) { + newKeys = [newKeys]; + } - options.transform = transform - options.insertInto = undefined; + for (i = 0; i < newKeys.length; i++) { + keys = newKeys[i]; + keys = Kibo.modifiersAndKey(keys + ''); - var update = __webpack_require__(9)(content, options); + if (registeredKeys[keys]) { + registeredKeys[keys].push(func); + } else { + registeredKeys[keys] = [func]; + } + } - if(content.locals) module.exports = content.locals; + return this; + }; - if(false) { - module.hot.accept("!!../../../../node_modules/css-loader/index.js!../../../../node_modules/postcss-loader/lib/index.js!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/bruno.torres/workspace/clappr/clappr/src/base/scss!./error_screen.scss", function() { - var newContent = require("!!../../../../node_modules/css-loader/index.js!../../../../node_modules/postcss-loader/lib/index.js!../../../../node_modules/sass-loader/lib/loader.js?includePaths[]=/Users/bruno.torres/workspace/clappr/clappr/src/base/scss!./error_screen.scss"); +// jshint maxdepth:5 + Kibo.prototype.unregisterKeys = function (upOrDown, newKeys, func) { + var i, + j, + keys, + registeredKeys = this['keys' + Kibo.capitalize(upOrDown)]; - if(typeof newContent === 'string') newContent = [[module.id, newContent, '']]; + if (Kibo.isString(newKeys)) { + newKeys = [newKeys]; + } - var locals = (function(a, b) { - var key, idx = 0; + for (i = 0; i < newKeys.length; i++) { + keys = newKeys[i]; + keys = Kibo.modifiersAndKey(keys + ''); - for(key in a) { - if(!b || a[key] !== b[key]) return false; - idx++; + if (func === null) { + delete registeredKeys[keys]; + } else { + if (registeredKeys[keys]) { + for (j = 0; j < registeredKeys[keys].length; j++) { + if (String(registeredKeys[keys][j]) === String(func)) { + registeredKeys[keys].splice(j, 1); + break; + } + } + } } + } + + return this; + }; + + Kibo.prototype.off = function (keys) { + return this.unregisterKeys('down', keys, null); + }; - for(key in b) idx--; + Kibo.prototype.delegate = function (upOrDown, keys, func) { + return func !== null || func !== undefined ? this.registerKeys(upOrDown, keys, func) : this.unregisterKeys(upOrDown, keys, func); + }; - return idx === 0; - }(content.locals, newContent.locals)); + Kibo.prototype.down = function (keys, func) { + return this.delegate('down', keys, func); + }; - if(!locals) throw new Error('Aborting CSS HMR due to changed css-modules locals.'); + Kibo.prototype.up = function (keys, func) { + return this.delegate('up', keys, func); + }; - update(newContent); - }); + Kibo.prototype.lastKey = function (modifier) { + if (!modifier) { + return Kibo.keyName(this.lastKeyCode); + } - module.hot.dispose(function() { update(); }); - } + return this.lastModifiers[modifier]; + }; - /***/ }), - /* 247 */ - /***/ (function(module, exports, __webpack_require__) { + Kibo.prototype.lastModifiersAndKey = function () { + var result, i; - exports = module.exports = __webpack_require__(8)(false); -// imports + result = []; + for (i = 0; i < Kibo.MODIFIERS.length; i++) { + if (this.lastKey(Kibo.MODIFIERS[i])) { + result.push(Kibo.MODIFIERS[i]); + } + } + if (!Kibo.arrayIncludes(result, this.lastKey())) { + result.push(this.lastKey()); + } -// module - exports.push([module.i, "div.player-error-screen {\n -webkit-font-smoothing: antialiased;\n -moz-osx-font-smoothing: grayscale;\n color: #CCCACA;\n position: absolute;\n top: 0;\n height: 100%;\n width: 100%;\n background-color: rgba(0, 0, 0, 0.7);\n z-index: 2000;\n display: -webkit-box;\n display: -ms-flexbox;\n display: flex;\n -webkit-box-orient: vertical;\n -webkit-box-direction: normal;\n -ms-flex-direction: column;\n flex-direction: column;\n -webkit-box-pack: center;\n -ms-flex-pack: center;\n justify-content: center; }\n div.player-error-screen__content[data-error-screen] {\n font-size: 14px;\n color: #CCCACA;\n margin-top: 45px; }\n div.player-error-screen__title[data-error-screen] {\n font-weight: bold;\n line-height: 30px;\n font-size: 18px; }\n div.player-error-screen__message[data-error-screen] {\n width: 90%;\n margin: 0 auto; }\n div.player-error-screen__code[data-error-screen] {\n font-size: 13px;\n margin-top: 15px; }\n div.player-error-screen__reload {\n cursor: pointer;\n width: 30px;\n margin: 15px auto 0; }\n", ""]); + return result.join(' '); + }; -// exports + exports.default = Kibo; + module.exports = exports['default']; + /***/ }) - /***/ }) - /******/ ]); -}); \ No newline at end of file + /******/ }); +}); +//# sourceMappingURL=clappr.js.map \ No newline at end of file diff --git a/public/assets/js/clappr.min.js b/public/assets/js/clappr.min.js index 51662d5..89ea1cd 100644 --- a/public/assets/js/clappr.min.js +++ b/public/assets/js/clappr.min.js @@ -1 +1 @@ -!function(t,e){"object"==typeof exports&&"object"==typeof module?module.exports=e():"function"==typeof define&&define.amd?define([],e):"object"==typeof exports?exports.Clappr=e():t.Clappr=e()}("undefined"!=typeof self?self:this,function(){return function(t){function e(r){if(i[r])return i[r].exports;var n=i[r]={i:r,l:!1,exports:{}};return t[r].call(n.exports,n,n.exports,e),n.l=!0,n.exports}var i={};return e.m=t,e.c=i,e.d=function(t,i,r){e.o(t,i)||Object.defineProperty(t,i,{configurable:!1,enumerable:!0,get:r})},e.n=function(t){var i=t&&t.__esModule?function(){return t.default}:function(){return t};return e.d(i,"a",i),i},e.o=function(t,e){return Object.prototype.hasOwnProperty.call(t,e)},e.p="",e(e.s=100)}([function(t,e,i){"use strict";e.__esModule=!0,e.default=function(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}},function(t,e,i){"use strict";e.__esModule=!0;var r=i(39),n=function(t){return t&&t.__esModule?t:{default:t}}(r);e.default=function(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==(void 0===e?"undefined":(0,n.default)(e))&&"function"!=typeof e?t:e}},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}e.__esModule=!0;var n=i(134),a=r(n),o=i(76),s=r(o),l=i(39),u=r(l);e.default=function(t,e){if("function"!=typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+(void 0===e?"undefined":(0,u.default)(e)));t.prototype=(0,s.default)(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(a.default?(0,a.default)(t,e):t.__proto__=e)}},function(t,e,i){"use strict";e.__esModule=!0;var r=i(75),n=function(t){return t&&t.__esModule?t:{default:t}}(r);e.default=function(){function t(t,e){for(var i=0;i<e.length;i++){var r=e[i];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),(0,n.default)(t,r.key,r)}}return function(e,i,r){return i&&t(e.prototype,i),r&&t(e,r),e}}()},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(53),a=r(n),o=i(0),s=r(o),l=i(39),u=r(l),c=i(29),d=r(c),h=i(5),f=Array.prototype.slice,p=/\s+/,g=function(t,e,i,r){if(!i)return!0;if("object"===(void 0===i?"undefined":(0,u.default)(i))){for(var n in i)t[e].apply(t,[n,i[n]].concat(r));return!1}if(p.test(i)){for(var a=i.split(p),o=0,s=a.length;o<s;o++)t[e].apply(t,[a[o]].concat(r));return!1}return!0},y=function(t,e,i,r){function n(){try{switch(e.length){case 0:for(;++o<s;)(a=t[o]).callback.call(a.ctx);return;case 1:for(;++o<s;)(a=t[o]).callback.call(a.ctx,l);return;case 2:for(;++o<s;)(a=t[o]).callback.call(a.ctx,l,u);return;case 3:for(;++o<s;)(a=t[o]).callback.call(a.ctx,l,u,c);return;default:for(;++o<s;)(a=t[o]).callback.apply(a.ctx,e);return}}catch(t){d.default.error.apply(d.default,[i,"error on event",r,"trigger","-",t]),n()}}var a=void 0,o=-1,s=t.length,l=e[0],u=e[1],c=e[2];n()},v=function(){function t(){(0,s.default)(this,t)}return t.prototype.on=function(t,e,i){return g(this,"on",t,[e,i])&&e?(this._events||(this._events={}),(this._events[t]||(this._events[t]=[])).push({callback:e,context:i,ctx:i||this}),this):this},t.prototype.once=function(t,e,i){var r=this,n=void 0;if(!g(this,"once",t,[e,i])||!e)return this;var a=function(){return r.off(t,n)};return n=function(){a(),e.apply(this,arguments)},this.on(t,n,i)},t.prototype.off=function(t,e,i){var r=void 0,n=void 0,o=void 0,s=void 0,l=void 0,u=void 0,c=void 0,d=void 0;if(!this._events||!g(this,"off",t,[e,i]))return this;if(!t&&!e&&!i)return this._events=void 0,this;for(s=t?[t]:(0,a.default)(this._events),l=0,u=s.length;l<u;l++)if(t=s[l],o=this._events[t]){if(this._events[t]=r=[],e||i)for(c=0,d=o.length;c<d;c++)n=o[c],(e&&e!==n.callback&&e!==n.callback._callback||i&&i!==n.context)&&r.push(n);r.length||delete this._events[t]}return this},t.prototype.trigger=function(t){var e=this.name||this.constructor.name;if(d.default.debug.apply(d.default,[e].concat(Array.prototype.slice.call(arguments))),!this._events)return this;var i=f.call(arguments,1);if(!g(this,"trigger",t,i))return this;var r=this._events[t],n=this._events.all;return r&&y(r,i,e,t),n&&y(n,arguments,e,t),this},t.prototype.stopListening=function(t,e,i){var r=this._listeningTo;if(!r)return this;var n=!e&&!i;i||"object"!==(void 0===e?"undefined":(0,u.default)(e))||(i=this),t&&((r={})[t._listenId]=t);for(var o in r)t=r[o],t.off(e,i,this),(n||0===(0,a.default)(t._events).length)&&delete this._listeningTo[o];return this},t.register=function(e){t.Custom||(t.Custom={});var i="string"==typeof e&&e.toUpperCase().trim();i&&!t.Custom[i]?t.Custom[i]=i.toLowerCase().split("_").map(function(t,e){return 0===e?t:t=t[0].toUpperCase()+t.slice(1)}).join(""):d.default.error("Events","Error when register event: "+e)},t.listAvailableCustomEvents=function(){return t.Custom||(t.Custom={}),(0,a.default)(t.Custom).filter(function(e){return"string"==typeof t.Custom[e]})},t}();e.default=v;var m={listenTo:"on",listenToOnce:"once"};(0,a.default)(m).forEach(function(t){v.prototype[t]=function(e,i,r){return(this._listeningTo||(this._listeningTo={}))[e._listenId||(e._listenId=(0,h.uniqueId)("l"))]=e,r||"object"!==(void 0===i?"undefined":(0,u.default)(i))||(r=this),e[m[t]](i,r,this),this}}),v.PLAYER_READY="ready",v.PLAYER_RESIZE="resize",v.PLAYER_FULLSCREEN="fullscreen",v.PLAYER_PLAY="play",v.PLAYER_PAUSE="pause",v.PLAYER_STOP="stop",v.PLAYER_ENDED="ended",v.PLAYER_SEEK="seek",v.PLAYER_ERROR="playererror",v.ERROR="error",v.PLAYER_TIMEUPDATE="timeupdate",v.PLAYER_VOLUMEUPDATE="volumeupdate",v.PLAYER_SUBTITLE_AVAILABLE="subtitleavailable",v.PLAYBACK_PROGRESS="playback:progress",v.PLAYBACK_TIMEUPDATE="playback:timeupdate",v.PLAYBACK_READY="playback:ready",v.PLAYBACK_BUFFERING="playback:buffering",v.PLAYBACK_BUFFERFULL="playback:bufferfull",v.PLAYBACK_SETTINGSUPDATE="playback:settingsupdate",v.PLAYBACK_LOADEDMETADATA="playback:loadedmetadata",v.PLAYBACK_HIGHDEFINITIONUPDATE="playback:highdefinitionupdate",v.PLAYBACK_BITRATE="playback:bitrate",v.PLAYBACK_LEVELS_AVAILABLE="playback:levels:available",v.PLAYBACK_LEVEL_SWITCH_START="playback:levels:switch:start",v.PLAYBACK_LEVEL_SWITCH_END="playback:levels:switch:end",v.PLAYBACK_PLAYBACKSTATE="playback:playbackstate",v.PLAYBACK_DVR="playback:dvr",v.PLAYBACK_MEDIACONTROL_DISABLE="playback:mediacontrol:disable",v.PLAYBACK_MEDIACONTROL_ENABLE="playback:mediacontrol:enable",v.PLAYBACK_ENDED="playback:ended",v.PLAYBACK_PLAY_INTENT="playback:play:intent",v.PLAYBACK_PLAY="playback:play",v.PLAYBACK_PAUSE="playback:pause",v.PLAYBACK_SEEK="playback:seek",v.PLAYBACK_SEEKED="playback:seeked",v.PLAYBACK_STOP="playback:stop",v.PLAYBACK_ERROR="playback:error",v.PLAYBACK_STATS_ADD="playback:stats:add",v.PLAYBACK_FRAGMENT_LOADED="playback:fragment:loaded",v.PLAYBACK_LEVEL_SWITCH="playback:level:switch",v.PLAYBACK_SUBTITLE_AVAILABLE="playback:subtitle:available",v.PLAYBACK_SUBTITLE_CHANGED="playback:subtitle:changed",v.CORE_CONTAINERS_CREATED="core:containers:created",v.CORE_ACTIVE_CONTAINER_CHANGED="core:active:container:changed",v.CORE_OPTIONS_CHANGE="core:options:change",v.CORE_READY="core:ready",v.CORE_FULLSCREEN="core:fullscreen",v.CORE_RESIZE="core:resize",v.CORE_SCREEN_ORIENTATION_CHANGED="core:screen:orientation:changed",v.CORE_MOUSE_MOVE="core:mousemove",v.CORE_MOUSE_LEAVE="core:mouseleave",v.CONTAINER_PLAYBACKSTATE="container:playbackstate",v.CONTAINER_PLAYBACKDVRSTATECHANGED="container:dvr",v.CONTAINER_BITRATE="container:bitrate",v.CONTAINER_STATS_REPORT="container:stats:report",v.CONTAINER_DESTROYED="container:destroyed",v.CONTAINER_READY="container:ready",v.CONTAINER_ERROR="container:error",v.CONTAINER_LOADEDMETADATA="container:loadedmetadata",v.CONTAINER_SUBTITLE_AVAILABLE="container:subtitle:available",v.CONTAINER_SUBTITLE_CHANGED="container:subtitle:changed",v.CONTAINER_TIMEUPDATE="container:timeupdate",v.CONTAINER_PROGRESS="container:progress",v.CONTAINER_PLAY="container:play",v.CONTAINER_STOP="container:stop",v.CONTAINER_PAUSE="container:pause",v.CONTAINER_ENDED="container:ended",v.CONTAINER_CLICK="container:click",v.CONTAINER_DBLCLICK="container:dblclick",v.CONTAINER_CONTEXTMENU="container:contextmenu",v.CONTAINER_MOUSE_ENTER="container:mouseenter",v.CONTAINER_MOUSE_LEAVE="container:mouseleave",v.CONTAINER_SEEK="container:seek",v.CONTAINER_SEEKED="container:seeked",v.CONTAINER_VOLUME="container:volume",v.CONTAINER_FULLSCREEN="container:fullscreen",v.CONTAINER_STATE_BUFFERING="container:state:buffering",v.CONTAINER_STATE_BUFFERFULL="container:state:bufferfull",v.CONTAINER_SETTINGSUPDATE="container:settingsupdate",v.CONTAINER_HIGHDEFINITIONUPDATE="container:highdefinitionupdate",v.CONTAINER_MEDIACONTROL_SHOW="container:mediacontrol:show",v.CONTAINER_MEDIACONTROL_HIDE="container:mediacontrol:hide",v.CONTAINER_MEDIACONTROL_DISABLE="container:mediacontrol:disable",v.CONTAINER_MEDIACONTROL_ENABLE="container:mediacontrol:enable",v.CONTAINER_STATS_ADD="container:stats:add",v.CONTAINER_OPTIONS_CHANGE="container:options:change",v.MEDIACONTROL_RENDERED="mediacontrol:rendered",v.MEDIACONTROL_FULLSCREEN="mediacontrol:fullscreen",v.MEDIACONTROL_SHOW="mediacontrol:show",v.MEDIACONTROL_HIDE="mediacontrol:hide",v.MEDIACONTROL_MOUSEMOVE_SEEKBAR="mediacontrol:mousemove:seekbar",v.MEDIACONTROL_MOUSELEAVE_SEEKBAR="mediacontrol:mouseleave:seekbar",v.MEDIACONTROL_PLAYING="mediacontrol:playing",v.MEDIACONTROL_NOTPLAYING="mediacontrol:notplaying",v.MEDIACONTROL_CONTAINERCHANGED="mediacontrol:containerchanged",v.MEDIACONTROL_OPTIONS_CHANGE="mediacontrol:options:change",t.exports=e.default},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}function n(t,e){if(e)for(var i in e){var r=(0,C.default)(e,i);r?(0,k.default)(t,i,r):t[i]=e[i]}return t}function a(t,e){var i=function(t){function i(){(0,_.default)(this,i);for(var r=arguments.length,n=Array(r),a=0;a<r;a++)n[a]=arguments[a];var o=(0,T.default)(this,t.call.apply(t,[this].concat(n)));return e.initialize&&e.initialize.apply(o,n),o}return(0,L.default)(i,t),i}(t);return n(i.prototype,e),i}function o(t,e){if(!isFinite(t))return"--:--";t*=1e3,t=parseInt(t/1e3);var i=t%60;t=parseInt(t/60);var r=t%60;t=parseInt(t/60);var n=t%24,a=parseInt(t/24),o="";return a&&a>0&&(o+=a+":",n<1&&(o+="00:")),(n&&n>0||e)&&(o+=("0"+n).slice(-2)+":"),o+=("0"+r).slice(-2)+":",o+=("0"+i).slice(-2),o.trim()}function s(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"t",e=0,i=B.params[t]||B.hashParams[t]||"",r=i.match(/[0-9]+[hms]+/g)||[];if(r.length>0){var n={h:3600,m:60,s:1};r.forEach(function(t){if(t){var i=t[t.length-1],r=parseInt(t.slice(0,t.length-1),10);e+=r*n[i]}})}else i&&(e=parseInt(i,10));return e}function l(t){return U[t]||(U[t]=0),t+ ++U[t]}function u(t){return t-parseFloat(t)+1>=0}function c(){var t=document.getElementsByTagName("script");return t.length?t[t.length-1].src:""}function d(){return window.navigator&&window.navigator.language}function h(){return window.performance&&window.performance.now?performance.now():Date.now()}function f(t,e){var i=t.indexOf(e);i>=0&&t.splice(i,1)}function p(t,e){return void 0!==t&&void 0!==e&&void 0!==e.find(function(e){return t.toLowerCase()===e.toLowerCase()})}function g(t,e){e=(0,v.default)({inline:!1,muted:!1,timeout:250,type:"video",source:M.default.mp4,element:null},e);var i=e.element?e.element:document.createElement(e.type);i.muted=e.muted,!0===e.muted&&i.setAttribute("muted","muted"),!0===e.inline&&i.setAttribute("playsinline","playsinline"),i.src=e.source;var r=i.play(),n=setTimeout(function(){a(!1,new Error("Timeout "+e.timeout+" ms has been reached"))},e.timeout),a=function(e){var i=arguments.length>1&&void 0!==arguments[1]?arguments[1]:null;clearTimeout(n),t(e,i)};void 0!==r?r.then(function(){return a(!0)}).catch(function(t){return a(!1,t)}):a(!0)}Object.defineProperty(e,"__esModule",{value:!0}),e.DomRecycler=e.cancelAnimationFrame=e.requestAnimationFrame=e.QueryString=e.Config=e.Fullscreen=void 0;var y=i(12),v=r(y),m=i(3),A=r(m),b=i(0),_=r(b),E=i(1),T=r(E),S=i(2),L=r(S),R=i(75),k=r(R),w=i(140),C=r(w);e.assign=n,e.extend=a,e.formatTime=o,e.seekStringToSeconds=s,e.uniqueId=l,e.isNumber=u,e.currentScriptUrl=c,e.getBrowserLanguage=d,e.now=h,e.removeArrayItem=f,e.listContainsIgnoreCase=p,e.canAutoPlayMedia=g,i(143);var I=i(14),O=r(I),D=i(6),P=r(D),x=i(147),M=r(x),N=e.Fullscreen={isFullscreen:function(){return!!(document.webkitFullscreenElement||document.webkitIsFullScreen||document.mozFullScreen||document.msFullscreenElement)},requestFullscreen:function(t){t.requestFullscreen?t.requestFullscreen():t.webkitRequestFullscreen?t.webkitRequestFullscreen():t.mozRequestFullScreen?t.mozRequestFullScreen():t.msRequestFullscreen?t.msRequestFullscreen():t.querySelector&&t.querySelector("video")&&t.querySelector("video").webkitEnterFullScreen?t.querySelector("video").webkitEnterFullScreen():t.webkitEnterFullScreen&&t.webkitEnterFullScreen()},cancelFullscreen:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:document;t.exitFullscreen?t.exitFullscreen():t.webkitCancelFullScreen?t.webkitCancelFullScreen():t.webkitExitFullscreen?t.webkitExitFullscreen():t.mozCancelFullScreen?t.mozCancelFullScreen():t.msExitFullscreen&&t.msExitFullscreen()},fullscreenEnabled:function(){return!!(document.fullscreenEnabled||document.webkitFullscreenEnabled||document.mozFullScreenEnabled||document.msFullscreenEnabled)}},F=e.Config=function(){function t(){(0,_.default)(this,t)}return t._defaultConfig=function(){return{volume:{value:100,parse:parseInt}}},t._defaultValueFor=function(t){try{return this._defaultConfig()[t].parse(this._defaultConfig()[t].value)}catch(t){return}},t._createKeyspace=function(t){return"clappr."+document.domain+"."+t},t.restore=function(t){return O.default.hasLocalstorage&&localStorage[this._createKeyspace(t)]?this._defaultConfig()[t].parse(localStorage[this._createKeyspace(t)]):this._defaultValueFor(t)},t.persist=function(t,e){if(O.default.hasLocalstorage)try{return localStorage[this._createKeyspace(t)]=e,!0}catch(t){return!1}},t}(),B=e.QueryString=function(){function t(){(0,_.default)(this,t)}return t.parse=function(t){for(var e=void 0,i=/\+/g,r=/([^&=]+)=?([^&]*)/g,n=function(t){return decodeURIComponent(t.replace(i," "))},a={};e=r.exec(t);)a[n(e[1]).toLowerCase()]=n(e[2]);return a},(0,A.default)(t,null,[{key:"params",get:function(){var t=window.location.search.substring(1);return t!==this.query&&(this._urlParams=this.parse(t),this.query=t),this._urlParams}},{key:"hashParams",get:function(){var t=window.location.hash.substring(1);return t!==this.hash&&(this._hashParams=this.parse(t),this.hash=t),this._hashParams}}]),t}(),U={},G=e.requestAnimationFrame=(window.requestAnimationFrame||window.mozRequestAnimationFrame||window.webkitRequestAnimationFrame||function(t){window.setTimeout(t,1e3/60)}).bind(window),K=e.cancelAnimationFrame=(window.cancelAnimationFrame||window.mozCancelAnimationFrame||window.webkitCancelAnimationFrame||window.clearTimeout).bind(window),j=[],V=e.DomRecycler=function(){function t(){(0,_.default)(this,t)}return t.configure=function(t){this.options=P.default.extend(this.options,t)},t.create=function(t){return this.options.recycleVideo&&"video"===t&&j.length>0?j.shift():(0,P.default)("<"+t+">")},t.garbage=function(t){this.options.recycleVideo&&"VIDEO"===t[0].tagName.toUpperCase()&&(t.children().remove(),j.push(t))},t}();V.options={recycleVideo:!1},e.default={Config:F,Fullscreen:N,QueryString:B,DomRecycler:V,extend:a,formatTime:o,seekStringToSeconds:s,uniqueId:l,currentScriptUrl:c,isNumber:u,requestAnimationFrame:G,cancelAnimationFrame:K,getBrowserLanguage:d,now:h,removeArrayItem:f,canAutoPlayMedia:g,Media:M.default}},function(t,e){var i=function(){function t(t){return null==t?String(t):z[q.call(t)]||"object"}function e(e){return"function"==t(e)}function i(t){return null!=t&&t==t.window}function r(t){return null!=t&&t.nodeType==t.DOCUMENT_NODE}function n(e){return"object"==t(e)}function a(t){return n(t)&&!i(t)&&Object.getPrototypeOf(t)==Object.prototype}function o(t){var e=!!t&&"length"in t&&t.length,r=S.type(t);return"function"!=r&&!i(t)&&("array"==r||0===e||"number"==typeof e&&e>0&&e-1 in t)}function s(t){return I.call(t,function(t){return null!=t})}function l(t){return t.length>0?S.fn.concat.apply([],t):t}function u(t){return t.replace(/::/g,"/").replace(/([A-Z]+)([A-Z][a-z])/g,"$1_$2").replace(/([a-z\d])([A-Z])/g,"$1_$2").replace(/_/g,"-").toLowerCase()}function c(t){return t in x?x[t]:x[t]=new RegExp("(^|\\s)"+t+"(\\s|$)")}function d(t,e){return"number"!=typeof e||M[u(t)]?e:e+"px"}function h(t){var e,i;return P[t]||(e=D.createElement(t),D.body.appendChild(e),i=getComputedStyle(e,"").getPropertyValue("display"),e.parentNode.removeChild(e),"none"==i&&(i="block"),P[t]=i),P[t]}function f(t){return"children"in t?O.call(t.children):S.map(t.childNodes,function(t){if(1==t.nodeType)return t})}function p(t,e){var i,r=t?t.length:0;for(i=0;i<r;i++)this[i]=t[i];this.length=r,this.selector=e||""}function g(t,e,i){for(T in e)i&&(a(e[T])||J(e[T]))?(a(e[T])&&!a(t[T])&&(t[T]={}),J(e[T])&&!J(t[T])&&(t[T]=[]),g(t[T],e[T],i)):e[T]!==E&&(t[T]=e[T])}function y(t,e){return null==e?S(t):S(t).filter(e)}function v(t,i,r,n){return e(i)?i.call(t,r,n):i}function m(t,e,i){null==i?t.removeAttribute(e):t.setAttribute(e,i)}function A(t,e){var i=t.className||"",r=i&&i.baseVal!==E;if(e===E)return r?i.baseVal:i;r?i.baseVal=e:t.className=e}function b(t){try{return t?"true"==t||"false"!=t&&("null"==t?null:+t+""==t?+t:/^[\[\{]/.test(t)?S.parseJSON(t):t):t}catch(e){return t}}function _(t,e){e(t);for(var i=0,r=t.childNodes.length;i<r;i++)_(t.childNodes[i],e)}var E,T,S,L,R,k,w=[],C=w.concat,I=w.filter,O=w.slice,D=window.document,P={},x={},M={"column-count":1,columns:1,"font-weight":1,"line-height":1,opacity:1,"z-index":1,zoom:1},N=/^\s*<(\w+|!)[^>]*>/,F=/^<(\w+)\s*\/?>(?:<\/\1>|)$/,B=/<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\w:]+)[^>]*)\/>/gi,U=/^(?:body|html)$/i,G=/([A-Z])/g,K=["val","css","html","text","data","width","height","offset"],j=["after","prepend","before","append"],V=D.createElement("table"),Y=D.createElement("tr"),H={tr:D.createElement("tbody"),tbody:V,thead:V,tfoot:V,td:Y,th:Y,"*":D.createElement("div")},$=/complete|loaded|interactive/,W=/^[\w-]*$/,z={},q=z.toString,X={},Z=D.createElement("div"),Q={tabindex:"tabIndex",readonly:"readOnly",for:"htmlFor",class:"className",maxlength:"maxLength",cellspacing:"cellSpacing",cellpadding:"cellPadding",rowspan:"rowSpan",colspan:"colSpan",usemap:"useMap",frameborder:"frameBorder",contenteditable:"contentEditable"},J=Array.isArray||function(t){return t instanceof Array};return X.matches=function(t,e){if(!e||!t||1!==t.nodeType)return!1;var i=t.matches||t.webkitMatchesSelector||t.mozMatchesSelector||t.oMatchesSelector||t.matchesSelector;if(i)return i.call(t,e);var r,n=t.parentNode,a=!n;return a&&(n=Z).appendChild(t),r=~X.qsa(n,e).indexOf(t),a&&Z.removeChild(t),r},R=function(t){return t.replace(/-+(.)?/g,function(t,e){return e?e.toUpperCase():""})},k=function(t){return I.call(t,function(e,i){return t.indexOf(e)==i})},X.fragment=function(t,e,i){var r,n,o;return F.test(t)&&(r=S(D.createElement(RegExp.$1))),r||(t.replace&&(t=t.replace(B,"<$1></$2>")),e===E&&(e=N.test(t)&&RegExp.$1),e in H||(e="*"),o=H[e],o.innerHTML=""+t,r=S.each(O.call(o.childNodes),function(){o.removeChild(this)})),a(i)&&(n=S(r),S.each(i,function(t,e){K.indexOf(t)>-1?n[t](e):n.attr(t,e)})),r},X.Z=function(t,e){return new p(t,e)},X.isZ=function(t){return t instanceof X.Z},X.init=function(t,i){var r;if(!t)return X.Z();if("string"==typeof t)if(t=t.trim(),"<"==t[0]&&N.test(t))r=X.fragment(t,RegExp.$1,i),t=null;else{if(i!==E)return S(i).find(t);r=X.qsa(D,t)}else{if(e(t))return S(D).ready(t);if(X.isZ(t))return t;if(J(t))r=s(t);else if(n(t))r=[t],t=null;else if(N.test(t))r=X.fragment(t.trim(),RegExp.$1,i),t=null;else{if(i!==E)return S(i).find(t);r=X.qsa(D,t)}}return X.Z(r,t)},S=function(t,e){return X.init(t,e)},S.extend=function(t){var e,i=O.call(arguments,1);return"boolean"==typeof t&&(e=t,t=i.shift()),i.forEach(function(i){g(t,i,e)}),t},X.qsa=function(t,e){var i,r="#"==e[0],n=!r&&"."==e[0],a=r||n?e.slice(1):e,o=W.test(a);return t.getElementById&&o&&r?(i=t.getElementById(a))?[i]:[]:1!==t.nodeType&&9!==t.nodeType&&11!==t.nodeType?[]:O.call(o&&!r&&t.getElementsByClassName?n?t.getElementsByClassName(a):t.getElementsByTagName(e):t.querySelectorAll(e))},S.contains=D.documentElement.contains?function(t,e){return t!==e&&t.contains(e)}:function(t,e){for(;e&&(e=e.parentNode);)if(e===t)return!0;return!1},S.type=t,S.isFunction=e,S.isWindow=i,S.isArray=J,S.isPlainObject=a,S.isEmptyObject=function(t){var e;for(e in t)return!1;return!0},S.isNumeric=function(t){var e=Number(t),i=typeof t;return null!=t&&"boolean"!=i&&("string"!=i||t.length)&&!isNaN(e)&&isFinite(e)||!1},S.inArray=function(t,e,i){return w.indexOf.call(e,t,i)},S.camelCase=R,S.trim=function(t){return null==t?"":String.prototype.trim.call(t)},S.uuid=0,S.support={},S.expr={},S.noop=function(){},S.map=function(t,e){var i,r,n,a=[];if(o(t))for(r=0;r<t.length;r++)null!=(i=e(t[r],r))&&a.push(i);else for(n in t)null!=(i=e(t[n],n))&&a.push(i);return l(a)},S.each=function(t,e){var i,r;if(o(t)){for(i=0;i<t.length;i++)if(!1===e.call(t[i],i,t[i]))return t}else for(r in t)if(!1===e.call(t[r],r,t[r]))return t;return t},S.grep=function(t,e){return I.call(t,e)},window.JSON&&(S.parseJSON=JSON.parse),S.each("Boolean Number String Function Array Date RegExp Object Error".split(" "),function(t,e){z["[object "+e+"]"]=e.toLowerCase()}),S.fn={constructor:X.Z,length:0,forEach:w.forEach,reduce:w.reduce,push:w.push,sort:w.sort,splice:w.splice,indexOf:w.indexOf,concat:function(){var t,e,i=[];for(t=0;t<arguments.length;t++)e=arguments[t],i[t]=X.isZ(e)?e.toArray():e;return C.apply(X.isZ(this)?this.toArray():this,i)},map:function(t){return S(S.map(this,function(e,i){return t.call(e,i,e)}))},slice:function(){return S(O.apply(this,arguments))},ready:function(t){return $.test(D.readyState)&&D.body?t(S):D.addEventListener("DOMContentLoaded",function(){t(S)},!1),this},get:function(t){return t===E?O.call(this):this[t>=0?t:t+this.length]},toArray:function(){return this.get()},size:function(){return this.length},remove:function(){return this.each(function(){null!=this.parentNode&&this.parentNode.removeChild(this)})},each:function(t){return w.every.call(this,function(e,i){return!1!==t.call(e,i,e)}),this},filter:function(t){return e(t)?this.not(this.not(t)):S(I.call(this,function(e){return X.matches(e,t)}))},add:function(t,e){return S(k(this.concat(S(t,e))))},is:function(t){return this.length>0&&X.matches(this[0],t)},not:function(t){var i=[];if(e(t)&&t.call!==E)this.each(function(e){t.call(this,e)||i.push(this)});else{var r="string"==typeof t?this.filter(t):o(t)&&e(t.item)?O.call(t):S(t);this.forEach(function(t){r.indexOf(t)<0&&i.push(t)})}return S(i)},has:function(t){return this.filter(function(){return n(t)?S.contains(this,t):S(this).find(t).size()})},eq:function(t){return-1===t?this.slice(t):this.slice(t,+t+1)},first:function(){var t=this[0];return t&&!n(t)?t:S(t)},last:function(){var t=this[this.length-1];return t&&!n(t)?t:S(t)},find:function(t){var e=this;return t?"object"==typeof t?S(t).filter(function(){var t=this;return w.some.call(e,function(e){return S.contains(e,t)})}):1==this.length?S(X.qsa(this[0],t)):this.map(function(){return X.qsa(this,t)}):S()},closest:function(t,e){var i=[],n="object"==typeof t&&S(t);return this.each(function(a,o){for(;o&&!(n?n.indexOf(o)>=0:X.matches(o,t));)o=o!==e&&!r(o)&&o.parentNode;o&&i.indexOf(o)<0&&i.push(o)}),S(i)},parents:function(t){for(var e=[],i=this;i.length>0;)i=S.map(i,function(t){if((t=t.parentNode)&&!r(t)&&e.indexOf(t)<0)return e.push(t),t});return y(e,t)},parent:function(t){return y(k(this.pluck("parentNode")),t)},children:function(t){return y(this.map(function(){return f(this)}),t)},contents:function(){return this.map(function(){return this.contentDocument||O.call(this.childNodes)})},siblings:function(t){return y(this.map(function(t,e){return I.call(f(e.parentNode),function(t){return t!==e})}),t)},empty:function(){return this.each(function(){this.innerHTML=""})},pluck:function(t){return S.map(this,function(e){return e[t]})},show:function(){return this.each(function(){"none"==this.style.display&&(this.style.display=""),"none"==getComputedStyle(this,"").getPropertyValue("display")&&(this.style.display=h(this.nodeName))})},replaceWith:function(t){return this.before(t).remove()},wrap:function(t){var i=e(t);if(this[0]&&!i)var r=S(t).get(0),n=r.parentNode||this.length>1;return this.each(function(e){S(this).wrapAll(i?t.call(this,e):n?r.cloneNode(!0):r)})},wrapAll:function(t){if(this[0]){S(this[0]).before(t=S(t));for(var e;(e=t.children()).length;)t=e.first();S(t).append(this)}return this},wrapInner:function(t){var i=e(t);return this.each(function(e){var r=S(this),n=r.contents(),a=i?t.call(this,e):t;n.length?n.wrapAll(a):r.append(a)})},unwrap:function(){return this.parent().each(function(){S(this).replaceWith(S(this).children())}),this},clone:function(){return this.map(function(){return this.cloneNode(!0)})},hide:function(){return this.css("display","none")},toggle:function(t){return this.each(function(){var e=S(this);(t===E?"none"==e.css("display"):t)?e.show():e.hide()})},prev:function(t){return S(this.pluck("previousElementSibling")).filter(t||"*")},next:function(t){return S(this.pluck("nextElementSibling")).filter(t||"*")},html:function(t){return 0 in arguments?this.each(function(e){var i=this.innerHTML;S(this).empty().append(v(this,t,e,i))}):0 in this?this[0].innerHTML:null},text:function(t){return 0 in arguments?this.each(function(e){var i=v(this,t,e,this.textContent);this.textContent=null==i?"":""+i}):0 in this?this.pluck("textContent").join(""):null},attr:function(t,e){var i;return"string"!=typeof t||1 in arguments?this.each(function(i){if(1===this.nodeType)if(n(t))for(T in t)m(this,T,t[T]);else m(this,t,v(this,e,i,this.getAttribute(t)))}):0 in this&&1==this[0].nodeType&&null!=(i=this[0].getAttribute(t))?i:E},removeAttr:function(t){return this.each(function(){1===this.nodeType&&t.split(" ").forEach(function(t){m(this,t)},this)})},prop:function(t,e){return t=Q[t]||t,1 in arguments?this.each(function(i){this[t]=v(this,e,i,this[t])}):this[0]&&this[0][t]},removeProp:function(t){return t=Q[t]||t,this.each(function(){delete this[t]})},data:function(t,e){var i="data-"+t.replace(G,"-$1").toLowerCase(),r=1 in arguments?this.attr(i,e):this.attr(i);return null!==r?b(r):E},val:function(t){return 0 in arguments?(null==t&&(t=""),this.each(function(e){this.value=v(this,t,e,this.value)})):this[0]&&(this[0].multiple?S(this[0]).find("option").filter(function(){return this.selected}).pluck("value"):this[0].value)},offset:function(t){if(t)return this.each(function(e){var i=S(this),r=v(this,t,e,i.offset()),n=i.offsetParent().offset(),a={top:r.top-n.top,left:r.left-n.left};"static"==i.css("position")&&(a.position="relative"),i.css(a)});if(!this.length)return null;if(D.documentElement!==this[0]&&!S.contains(D.documentElement,this[0]))return{top:0,left:0};var e=this[0].getBoundingClientRect();return{left:e.left+window.pageXOffset,top:e.top+window.pageYOffset,width:Math.round(e.width),height:Math.round(e.height)}},css:function(e,i){if(arguments.length<2){var r=this[0];if("string"==typeof e){if(!r)return;return r.style[R(e)]||getComputedStyle(r,"").getPropertyValue(e)}if(J(e)){if(!r)return;var n={},a=getComputedStyle(r,"");return S.each(e,function(t,e){n[e]=r.style[R(e)]||a.getPropertyValue(e)}),n}}var o="";if("string"==t(e))i||0===i?o=u(e)+":"+d(e,i):this.each(function(){this.style.removeProperty(u(e))});else for(T in e)e[T]||0===e[T]?o+=u(T)+":"+d(T,e[T])+";":this.each(function(){this.style.removeProperty(u(T))});return this.each(function(){this.style.cssText+=";"+o})},index:function(t){return t?this.indexOf(S(t)[0]):this.parent().children().indexOf(this[0])},hasClass:function(t){return!!t&&w.some.call(this,function(t){return this.test(A(t))},c(t))},addClass:function(t){return t?this.each(function(e){if("className"in this){L=[];var i=A(this);v(this,t,e,i).split(/\s+/g).forEach(function(t){S(this).hasClass(t)||L.push(t)},this),L.length&&A(this,i+(i?" ":"")+L.join(" "))}}):this},removeClass:function(t){return this.each(function(e){if("className"in this){if(t===E)return A(this,"");L=A(this),v(this,t,e,L).split(/\s+/g).forEach(function(t){L=L.replace(c(t)," ")}),A(this,L.trim())}})},toggleClass:function(t,e){return t?this.each(function(i){var r=S(this);v(this,t,i,A(this)).split(/\s+/g).forEach(function(t){(e===E?!r.hasClass(t):e)?r.addClass(t):r.removeClass(t)})}):this},scrollTop:function(t){if(this.length){var e="scrollTop"in this[0];return t===E?e?this[0].scrollTop:this[0].pageYOffset:this.each(e?function(){this.scrollTop=t}:function(){this.scrollTo(this.scrollX,t)})}},scrollLeft:function(t){if(this.length){var e="scrollLeft"in this[0];return t===E?e?this[0].scrollLeft:this[0].pageXOffset:this.each(e?function(){this.scrollLeft=t}:function(){this.scrollTo(t,this.scrollY)})}},position:function(){if(this.length){var t=this[0],e=this.offsetParent(),i=this.offset(),r=U.test(e[0].nodeName)?{top:0,left:0}:e.offset();return i.top-=parseFloat(S(t).css("margin-top"))||0,i.left-=parseFloat(S(t).css("margin-left"))||0,r.top+=parseFloat(S(e[0]).css("border-top-width"))||0,r.left+=parseFloat(S(e[0]).css("border-left-width"))||0,{top:i.top-r.top,left:i.left-r.left}}},offsetParent:function(){return this.map(function(){for(var t=this.offsetParent||D.body;t&&!U.test(t.nodeName)&&"static"==S(t).css("position");)t=t.offsetParent;return t})}},S.fn.detach=S.fn.remove,["width","height"].forEach(function(t){var e=t.replace(/./,function(t){return t[0].toUpperCase()});S.fn[t]=function(n){var a,o=this[0];return n===E?i(o)?o["inner"+e]:r(o)?o.documentElement["scroll"+e]:(a=this.offset())&&a[t]:this.each(function(e){o=S(this),o.css(t,v(this,n,e,o[t]()))})}}),j.forEach(function(e,i){var r=i%2;S.fn[e]=function(){var e,n,a=S.map(arguments,function(i){var r=[];return e=t(i),"array"==e?(i.forEach(function(t){return t.nodeType!==E?r.push(t):S.zepto.isZ(t)?r=r.concat(t.get()):void(r=r.concat(X.fragment(t)))}),r):"object"==e||null==i?i:X.fragment(i)}),o=this.length>1;return a.length<1?this:this.each(function(t,e){n=r?e:e.parentNode,e=0==i?e.nextSibling:1==i?e.firstChild:2==i?e:null;var s=S.contains(D.documentElement,n);a.forEach(function(t){if(o)t=t.cloneNode(!0);else if(!n)return S(t).remove();n.insertBefore(t,e),s&&_(t,function(t){if(!(null==t.nodeName||"SCRIPT"!==t.nodeName.toUpperCase()||t.type&&"text/javascript"!==t.type||t.src)){var e=t.ownerDocument?t.ownerDocument.defaultView:window;e.eval.call(e,t.innerHTML)}})})})},S.fn[r?e+"To":"insert"+(i?"Before":"After")]=function(t){return S(t)[e](this),this}}),X.Z.prototype=p.prototype=S.fn,X.uniq=k,X.deserializeValue=b,S.zepto=X,S}();window.Zepto=i,void 0===window.$&&(window.$=i),function(t){function e(e,i,r){var n=t.Event(i);return t(e).trigger(n,r),!n.isDefaultPrevented()}function i(t,i,r,n){if(t.global)return e(i||A,r,n)}function r(e){e.global&&0==t.active++&&i(e,null,"ajaxStart")}function n(e){e.global&&!--t.active&&i(e,null,"ajaxStop")}function a(t,e){var r=e.context;if(!1===e.beforeSend.call(r,t,e)||!1===i(e,r,"ajaxBeforeSend",[t,e]))return!1;i(e,r,"ajaxSend",[t,e])}function o(t,e,r,n){var a=r.context;r.success.call(a,t,"success",e),n&&n.resolveWith(a,[t,"success",e]),i(r,a,"ajaxSuccess",[e,r,t]),l("success",e,r)}function s(t,e,r,n,a){var o=n.context;n.error.call(o,r,e,t),a&&a.rejectWith(o,[r,e,t]),i(n,o,"ajaxError",[r,n,t||e]),l(e,r,n)}function l(t,e,r){var a=r.context;r.complete.call(a,e,t),i(r,a,"ajaxComplete",[e,r]),n(r)}function u(t,e,i){if(i.dataFilter==c)return t;var r=i.context;return i.dataFilter.call(r,t,e)}function c(){}function d(t){return t&&(t=t.split(";",2)[0]),t&&(t==S?"html":t==T?"json":_.test(t)?"script":E.test(t)&&"xml")||"text"}function h(t,e){return""==e?t:(t+"&"+e).replace(/[&?]{1,2}/,"?")}function f(e){e.processData&&e.data&&"string"!=t.type(e.data)&&(e.data=t.param(e.data,e.traditional)),!e.data||e.type&&"GET"!=e.type.toUpperCase()&&"jsonp"!=e.dataType||(e.url=h(e.url,e.data),e.data=void 0)}function p(e,i,r,n){return t.isFunction(i)&&(n=r,r=i,i=void 0),t.isFunction(r)||(n=r,r=void 0),{url:e,data:i,success:r,dataType:n}}function g(e,i,r,n){var a,o=t.isArray(i),s=t.isPlainObject(i);t.each(i,function(i,l){a=t.type(l),n&&(i=r?n:n+"["+(s||"object"==a||"array"==a?i:"")+"]"),!n&&o?e.add(l.name,l.value):"array"==a||!r&&"object"==a?g(e,l,r,i):e.add(i,l)})}var y,v,m=+new Date,A=window.document,b=/<script\b[^<]*(?:(?!<\/script>)<[^<]*)*<\/script>/gi,_=/^(?:text|application)\/javascript/i,E=/^(?:text|application)\/xml/i,T="application/json",S="text/html",L=/^\s*$/,R=A.createElement("a");R.href=window.location.href,t.active=0,t.ajaxJSONP=function(e,i){if(!("type"in e))return t.ajax(e);var r,n,l=e.jsonpCallback,u=(t.isFunction(l)?l():l)||"Zepto"+m++,c=A.createElement("script"),d=window[u],h=function(e){t(c).triggerHandler("error",e||"abort")},f={abort:h};return i&&i.promise(f),t(c).on("load error",function(a,l){clearTimeout(n),t(c).off().remove(),"error"!=a.type&&r?o(r[0],f,e,i):s(null,l||"error",f,e,i),window[u]=d,r&&t.isFunction(d)&&d(r[0]),d=r=void 0}),!1===a(f,e)?(h("abort"),f):(window[u]=function(){r=arguments},c.src=e.url.replace(/\?(.+)=\?/,"?$1="+u),A.head.appendChild(c),e.timeout>0&&(n=setTimeout(function(){h("timeout")},e.timeout)),f)},t.ajaxSettings={type:"GET",beforeSend:c,success:c,error:c,complete:c,context:null,global:!0,xhr:function(){return new window.XMLHttpRequest},accepts:{script:"text/javascript, application/javascript, application/x-javascript",json:T,xml:"application/xml, text/xml",html:S,text:"text/plain"},crossDomain:!1,timeout:0,processData:!0,cache:!0,dataFilter:c},t.ajax=function(e){var i,n,l=t.extend({},e||{}),p=t.Deferred&&t.Deferred();for(y in t.ajaxSettings)void 0===l[y]&&(l[y]=t.ajaxSettings[y]);r(l),l.crossDomain||(i=A.createElement("a"),i.href=l.url,i.href=i.href,l.crossDomain=R.protocol+"//"+R.host!=i.protocol+"//"+i.host),l.url||(l.url=window.location.toString()),(n=l.url.indexOf("#"))>-1&&(l.url=l.url.slice(0,n)),f(l);var g=l.dataType,m=/\?.+=\?/.test(l.url);if(m&&(g="jsonp"),!1!==l.cache&&(e&&!0===e.cache||"script"!=g&&"jsonp"!=g)||(l.url=h(l.url,"_="+Date.now())),"jsonp"==g)return m||(l.url=h(l.url,l.jsonp?l.jsonp+"=?":!1===l.jsonp?"":"callback=?")),t.ajaxJSONP(l,p);var b,_=l.accepts[g],E={},T=function(t,e){E[t.toLowerCase()]=[t,e]},S=/^([\w-]+:)\/\//.test(l.url)?RegExp.$1:window.location.protocol,k=l.xhr(),w=k.setRequestHeader;if(p&&p.promise(k),l.crossDomain||T("X-Requested-With","XMLHttpRequest"),T("Accept",_||"*/*"),(_=l.mimeType||_)&&(_.indexOf(",")>-1&&(_=_.split(",",2)[0]),k.overrideMimeType&&k.overrideMimeType(_)),(l.contentType||!1!==l.contentType&&l.data&&"GET"!=l.type.toUpperCase())&&T("Content-Type",l.contentType||"application/x-www-form-urlencoded"),l.headers)for(v in l.headers)T(v,l.headers[v]);if(k.setRequestHeader=T,k.onreadystatechange=function(){if(4==k.readyState){k.onreadystatechange=c,clearTimeout(b);var e,i=!1;if(k.status>=200&&k.status<300||304==k.status||0==k.status&&"file:"==S){if(g=g||d(l.mimeType||k.getResponseHeader("content-type")),"arraybuffer"==k.responseType||"blob"==k.responseType)e=k.response;else{e=k.responseText;try{e=u(e,g,l),"script"==g?(0,eval)(e):"xml"==g?e=k.responseXML:"json"==g&&(e=L.test(e)?null:t.parseJSON(e))}catch(t){i=t}if(i)return s(i,"parsererror",k,l,p)}o(e,k,l,p)}else s(k.statusText||null,k.status?"error":"abort",k,l,p)}},!1===a(k,l))return k.abort(),s(null,"abort",k,l,p),k;var C=!("async"in l)||l.async;if(k.open(l.type,l.url,C,l.username,l.password),l.xhrFields)for(v in l.xhrFields)k[v]=l.xhrFields[v];for(v in E)w.apply(k,E[v]);return l.timeout>0&&(b=setTimeout(function(){k.onreadystatechange=c,k.abort(),s(null,"timeout",k,l,p)},l.timeout)),k.send(l.data?l.data:null),k},t.get=function(){return t.ajax(p.apply(null,arguments))},t.post=function(){var e=p.apply(null,arguments);return e.type="POST",t.ajax(e)},t.getJSON=function(){var e=p.apply(null,arguments);return e.dataType="json",t.ajax(e)},t.fn.load=function(e,i,r){if(!this.length)return this;var n,a=this,o=e.split(/\s/),s=p(e,i,r),l=s.success;return o.length>1&&(s.url=o[0],n=o[1]),s.success=function(e){a.html(n?t("<div>").html(e.replace(b,"")).find(n):e),l&&l.apply(a,arguments)},t.ajax(s),this};var k=encodeURIComponent;t.param=function(e,i){var r=[];return r.add=function(e,i){t.isFunction(i)&&(i=i()),null==i&&(i=""),this.push(k(e)+"="+k(i))},g(r,e,i),r.join("&").replace(/%20/g,"+")}}(i),function(t){t.Callbacks=function(e){e=t.extend({},e);var i,r,n,a,o,s,l=[],u=!e.once&&[],c=function(t){for(i=e.memory&&t,r=!0,s=a||0,a=0,o=l.length,n=!0;l&&s<o;++s)if(!1===l[s].apply(t[0],t[1])&&e.stopOnFalse){i=!1;break}n=!1,l&&(u?u.length&&c(u.shift()):i?l.length=0:d.disable())},d={add:function(){if(l){var r=l.length,s=function(i){t.each(i,function(t,i){"function"==typeof i?e.unique&&d.has(i)||l.push(i):i&&i.length&&"string"!=typeof i&&s(i)})};s(arguments),n?o=l.length:i&&(a=r,c(i))}return this},remove:function(){return l&&t.each(arguments,function(e,i){for(var r;(r=t.inArray(i,l,r))>-1;)l.splice(r,1),n&&(r<=o&&--o,r<=s&&--s)}),this},has:function(e){return!(!l||!(e?t.inArray(e,l)>-1:l.length))},empty:function(){return o=l.length=0,this},disable:function(){return l=u=i=void 0,this},disabled:function(){return!l},lock:function(){return u=void 0,i||d.disable(),this},locked:function(){return!u},fireWith:function(t,e){return!l||r&&!u||(e=e||[],e=[t,e.slice?e.slice():e],n?u.push(e):c(e)),this},fire:function(){return d.fireWith(this,arguments)},fired:function(){return!!r}};return d}}(i),function(t){function e(i){var r=[["resolve","done",t.Callbacks({once:1,memory:1}),"resolved"],["reject","fail",t.Callbacks({once:1,memory:1}),"rejected"],["notify","progress",t.Callbacks({memory:1})]],n="pending",a={state:function(){return n},always:function(){return o.done(arguments).fail(arguments),this},then:function(){var i=arguments;return e(function(e){t.each(r,function(r,n){var s=t.isFunction(i[r])&&i[r];o[n[1]](function(){var i=s&&s.apply(this,arguments);if(i&&t.isFunction(i.promise))i.promise().done(e.resolve).fail(e.reject).progress(e.notify);else{var r=this===a?e.promise():this,o=s?[i]:arguments;e[n[0]+"With"](r,o)}})}),i=null}).promise()},promise:function(e){return null!=e?t.extend(e,a):a}},o={};return t.each(r,function(t,e){var i=e[2],s=e[3];a[e[1]]=i.add,s&&i.add(function(){n=s},r[1^t][2].disable,r[2][2].lock),o[e[0]]=function(){return o[e[0]+"With"](this===o?a:this,arguments),this},o[e[0]+"With"]=i.fireWith}),a.promise(o),i&&i.call(o,o),o}var i=Array.prototype.slice;t.when=function(r){var n,a,o,s=i.call(arguments),l=s.length,u=0,c=1!==l||r&&t.isFunction(r.promise)?l:0,d=1===c?r:e(),h=function(t,e,r){return function(a){e[t]=this,r[t]=arguments.length>1?i.call(arguments):a,r===n?d.notifyWith(e,r):--c||d.resolveWith(e,r)}};if(l>1)for(n=new Array(l),a=new Array(l),o=new Array(l);u<l;++u)s[u]&&t.isFunction(s[u].promise)?s[u].promise().done(h(u,o,s)).fail(d.reject).progress(h(u,a,n)):--c;return c||d.resolveWith(o,s),d.promise()},t.Deferred=e}(i),function(t){function e(t){return t._zid||(t._zid=h++)}function i(t,i,a,o){if(i=r(i),i.ns)var s=n(i.ns);return(y[e(t)]||[]).filter(function(t){return t&&(!i.e||t.e==i.e)&&(!i.ns||s.test(t.ns))&&(!a||e(t.fn)===e(a))&&(!o||t.sel==o)})}function r(t){var e=(""+t).split(".");return{e:e[0],ns:e.slice(1).sort().join(" ")}}function n(t){return new RegExp("(?:^| )"+t.replace(" "," .* ?")+"(?: |$)")}function a(t,e){return t.del&&!m&&t.e in A||!!e}function o(t){return b[t]||m&&A[t]||t}function s(i,n,s,l,c,h,f){var p=e(i),g=y[p]||(y[p]=[]);n.split(/\s/).forEach(function(e){if("ready"==e)return t(document).ready(s);var n=r(e);n.fn=s,n.sel=c,n.e in b&&(s=function(e){var i=e.relatedTarget;if(!i||i!==this&&!t.contains(this,i))return n.fn.apply(this,arguments)}),n.del=h;var p=h||s;n.proxy=function(t){if(t=u(t),!t.isImmediatePropagationStopped()){t.data=l;var e=p.apply(i,t._args==d?[t]:[t].concat(t._args));return!1===e&&(t.preventDefault(),t.stopPropagation()),e}},n.i=g.length,g.push(n),"addEventListener"in i&&i.addEventListener(o(n.e),n.proxy,a(n,f))})}function l(t,r,n,s,l){var u=e(t);(r||"").split(/\s/).forEach(function(e){i(t,e,n,s).forEach(function(e){delete y[u][e.i],"removeEventListener"in t&&t.removeEventListener(o(e.e),e.proxy,a(e,l))})})}function u(e,i){return!i&&e.isDefaultPrevented||(i||(i=e),t.each(S,function(t,r){var n=i[t];e[t]=function(){return this[r]=_,n&&n.apply(i,arguments)},e[r]=E}),e.timeStamp||(e.timeStamp=Date.now()),(i.defaultPrevented!==d?i.defaultPrevented:"returnValue"in i?!1===i.returnValue:i.getPreventDefault&&i.getPreventDefault())&&(e.isDefaultPrevented=_)),e}function c(t){var e,i={originalEvent:t};for(e in t)T.test(e)||t[e]===d||(i[e]=t[e]);return u(i,t)}var d,h=1,f=Array.prototype.slice,p=t.isFunction,g=function(t){return"string"==typeof t},y={},v={},m="onfocusin"in window,A={focus:"focusin",blur:"focusout"},b={mouseenter:"mouseover",mouseleave:"mouseout"};v.click=v.mousedown=v.mouseup=v.mousemove="MouseEvents",t.event={add:s,remove:l},t.proxy=function(i,r){var n=2 in arguments&&f.call(arguments,2);if(p(i)){var a=function(){return i.apply(r,n?n.concat(f.call(arguments)):arguments)};return a._zid=e(i),a}if(g(r))return n?(n.unshift(i[r],i),t.proxy.apply(null,n)):t.proxy(i[r],i);throw new TypeError("expected function")},t.fn.bind=function(t,e,i){return this.on(t,e,i)},t.fn.unbind=function(t,e){return this.off(t,e)},t.fn.one=function(t,e,i,r){return this.on(t,e,i,r,1)};var _=function(){return!0},E=function(){return!1},T=/^([A-Z]|returnValue$|layer[XY]$|webkitMovement[XY]$)/,S={preventDefault:"isDefaultPrevented",stopImmediatePropagation:"isImmediatePropagationStopped",stopPropagation:"isPropagationStopped"};t.fn.delegate=function(t,e,i){return this.on(e,t,i)},t.fn.undelegate=function(t,e,i){return this.off(e,t,i)},t.fn.live=function(e,i){return t(document.body).delegate(this.selector,e,i),this},t.fn.die=function(e,i){return t(document.body).undelegate(this.selector,e,i),this},t.fn.on=function(e,i,r,n,a){var o,u,h=this;return e&&!g(e)?(t.each(e,function(t,e){h.on(t,i,r,e,a)}),h):(g(i)||p(n)||!1===n||(n=r,r=i,i=d),n!==d&&!1!==r||(n=r,r=d),!1===n&&(n=E),h.each(function(d,h){a&&(o=function(t){return l(h,t.type,n),n.apply(this,arguments)}),i&&(u=function(e){var r,a=t(e.target).closest(i,h).get(0);if(a&&a!==h)return r=t.extend(c(e),{currentTarget:a,liveFired:h}),(o||n).apply(a,[r].concat(f.call(arguments,1)))}),s(h,e,n,r,i,u||o)}))},t.fn.off=function(e,i,r){var n=this;return e&&!g(e)?(t.each(e,function(t,e){n.off(t,i,e)}),n):(g(i)||p(r)||!1===r||(r=i,i=d),!1===r&&(r=E),n.each(function(){l(this,e,r,i)}))},t.fn.trigger=function(e,i){return e=g(e)||t.isPlainObject(e)?t.Event(e):u(e),e._args=i,this.each(function(){e.type in A&&"function"==typeof this[e.type]?this[e.type]():"dispatchEvent"in this?this.dispatchEvent(e):t(this).triggerHandler(e,i)})},t.fn.triggerHandler=function(e,r){var n,a;return this.each(function(o,s){n=c(g(e)?t.Event(e):e),n._args=r,n.target=s,t.each(i(s,e.type||e),function(t,e){if(a=e.proxy(n),n.isImmediatePropagationStopped())return!1})}),a},"focusin focusout focus blur load resize scroll unload click dblclick mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave change select keydown keypress keyup error".split(" ").forEach(function(e){t.fn[e]=function(t){return 0 in arguments?this.bind(e,t):this.trigger(e)}}),t.Event=function(t,e){g(t)||(e=t,t=e.type);var i=document.createEvent(v[t]||"Events"),r=!0;if(e)for(var n in e)"bubbles"==n?r=!!e[n]:i[n]=e[n];return i.initEvent(t,r,!0),u(i)}}(i),function(){try{getComputedStyle(void 0)}catch(e){var t=getComputedStyle;window.getComputedStyle=function(e,i){try{return t(e,i)}catch(t){return null}}}}(),function(t){function e(e){return e=t(e),!(!e.width()&&!e.height())&&"none"!==e.css("display")}function i(t,e){t=t.replace(/=#\]/g,'="#"]');var i,r,n=s.exec(t);if(n&&n[2]in o&&(i=o[n[2]],r=n[3],t=n[1],r)){var a=Number(r);r=isNaN(a)?r.replace(/^["']|["']$/g,""):a}return e(t,i,r)}var r=t.zepto,n=r.qsa,a=r.matches,o=t.expr[":"]={visible:function(){if(e(this))return this},hidden:function(){if(!e(this))return this},selected:function(){if(this.selected)return this},checked:function(){if(this.checked)return this},parent:function(){return this.parentNode},first:function(t){if(0===t)return this},last:function(t,e){if(t===e.length-1)return this},eq:function(t,e,i){if(t===i)return this},contains:function(e,i,r){if(t(this).text().indexOf(r)>-1)return this},has:function(t,e,i){if(r.qsa(this,i).length)return this}},s=new RegExp("(.*):(\\w+)(?:\\(([^)]+)\\))?$\\s*"),l=/^\s*>/,u="Zepto"+ +new Date;r.qsa=function(e,a){return i(a,function(i,o,s){try{var c;!i&&o?i="*":l.test(i)&&(c=t(e).addClass(u),i="."+u+" "+i);var d=n(e,i)}catch(t){throw console.error("error performing selector: %o",a),t}finally{c&&c.removeClass(u)}return o?r.uniq(t.map(d,function(t,e){return o.call(t,e,d,s)})):d})},r.matches=function(t,e){return i(e,function(e,i,r){return(!e||a(t,e))&&(!i||i.call(t,null,r)===t)})}}(i),t.exports=i},function(t,e,i){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r={evaluate:/<%([\s\S]+?)%>/g,interpolate:/<%=([\s\S]+?)%>/g,escape:/<%-([\s\S]+?)%>/g},n=/(.)^/,a={"'":"'","\\":"\\","\r":"r","\n":"n","\t":"t","\u2028":"u2028","\u2029":"u2029"},o=/\\|'|\r|\n|\t|\u2028|\u2029/g,s={"&":"&","<":"<",">":">",'"':""","'":"'"},l=new RegExp("[&<>\"']","g"),u=function(t){return null===t?"":(""+t).replace(l,function(t){return s[t]})},c=0,d=function(t,e){var i,s=new RegExp([(r.escape||n).source,(r.interpolate||n).source,(r.evaluate||n).source].join("|")+"|$","g"),l=0,d="__p+='";t.replace(s,function(e,i,r,n,s){return d+=t.slice(l,s).replace(o,function(t){return"\\"+a[t]}),i&&(d+="'+\n((__t=("+i+"))==null?'':escapeExpr(__t))+\n'"),r&&(d+="'+\n((__t=("+r+"))==null?'':__t)+\n'"),n&&(d+="';\n"+n+"\n__p+='"),l=s+e.length,e}),d+="';\n",r.variable||(d="with(obj||{}){\n"+d+"}\n"),d="var __t,__p='',__j=Array.prototype.join,print=function(){__p+=__j.call(arguments,'');};\n"+d+"return __p;\n//# sourceURL=/microtemplates/source["+c+++"]";try{i=new Function(r.variable||"obj","escapeExpr",d)}catch(t){throw t.source=d,t}if(e)return i(e,u);var h=function(t){return i.call(this,t,u)};return h.source="function("+(r.variable||"obj")+"){\n"+d+"}",h};d.settings=r,e.default=d,t.exports=e.default},function(t,e){function i(t,e){var i=t[1]||"",n=t[3];if(!n)return i;if(e&&"function"==typeof btoa){var a=r(n);return[i].concat(n.sources.map(function(t){return"/*# sourceURL="+n.sourceRoot+t+" */"})).concat([a]).join("\n")}return[i].join("\n")}function r(t){return"/*# sourceMappingURL=data:application/json;charset=utf-8;base64,"+btoa(unescape(encodeURIComponent(JSON.stringify(t))))+" */"}t.exports=function(t){var e=[];return e.toString=function(){return this.map(function(e){var r=i(e,t);return e[2]?"@media "+e[2]+"{"+r+"}":r}).join("")},e.i=function(t,i){"string"==typeof t&&(t=[[null,t,""]]);for(var r={},n=0;n<this.length;n++){var a=this[n][0];"number"==typeof a&&(r[a]=!0)}for(n=0;n<t.length;n++){var o=t[n];"number"==typeof o[0]&&r[o[0]]||(i&&!o[2]?o[2]=i:i&&(o[2]="("+o[2]+") and ("+i+")"),e.push(o))}},e}},function(t,e,i){function r(t,e){for(var i=0;i<t.length;i++){var r=t[i],n=p[r.id];if(n){n.refs++;for(var a=0;a<n.parts.length;a++)n.parts[a](r.parts[a]);for(;a<r.parts.length;a++)n.parts.push(c(r.parts[a],e))}else{for(var o=[],a=0;a<r.parts.length;a++)o.push(c(r.parts[a],e));p[r.id]={id:r.id,refs:1,parts:o}}}}function n(t,e){for(var i=[],r={},n=0;n<t.length;n++){var a=t[n],o=e.base?a[0]+e.base:a[0],s=a[1],l=a[2],u=a[3],c={css:s,media:l,sourceMap:u};r[o]?r[o].parts.push(c):i.push(r[o]={id:o,parts:[c]})}return i}function a(t,e){var i=v(t.insertInto);if(!i)throw new Error("Couldn't find a style target. This probably means that the value for the 'insertInto' parameter is invalid.");var r=b[b.length-1];if("top"===t.insertAt)r?r.nextSibling?i.insertBefore(e,r.nextSibling):i.appendChild(e):i.insertBefore(e,i.firstChild),b.push(e);else if("bottom"===t.insertAt)i.appendChild(e);else{if("object"!=typeof t.insertAt||!t.insertAt.before)throw new Error("[Style Loader]\n\n Invalid value for parameter 'insertAt' ('options.insertAt') found.\n Must be 'top', 'bottom', or Object.\n (https://github.com/webpack-contrib/style-loader#insertat)\n");var n=v(t.insertInto+" "+t.insertAt.before);i.insertBefore(e,n)}}function o(t){if(null===t.parentNode)return!1;t.parentNode.removeChild(t);var e=b.indexOf(t);e>=0&&b.splice(e,1)}function s(t){var e=document.createElement("style");return t.attrs.type="text/css",u(e,t.attrs),a(t,e),e}function l(t){var e=document.createElement("link");return t.attrs.type="text/css",t.attrs.rel="stylesheet",u(e,t.attrs),a(t,e),e}function u(t,e){Object.keys(e).forEach(function(i){t.setAttribute(i,e[i])})}function c(t,e){var i,r,n,a;if(e.transform&&t.css){if(!(a=e.transform(t.css)))return function(){};t.css=a}if(e.singleton){var u=A++;i=m||(m=s(e)),r=d.bind(null,i,u,!1),n=d.bind(null,i,u,!0)}else t.sourceMap&&"function"==typeof URL&&"function"==typeof URL.createObjectURL&&"function"==typeof URL.revokeObjectURL&&"function"==typeof Blob&&"function"==typeof btoa?(i=l(e),r=f.bind(null,i,e),n=function(){o(i),i.href&&URL.revokeObjectURL(i.href)}):(i=s(e),r=h.bind(null,i),n=function(){o(i)});return r(t),function(e){if(e){if(e.css===t.css&&e.media===t.media&&e.sourceMap===t.sourceMap)return;r(t=e)}else n()}}function d(t,e,i,r){var n=i?"":r.css;if(t.styleSheet)t.styleSheet.cssText=E(e,n);else{var a=document.createTextNode(n),o=t.childNodes;o[e]&&t.removeChild(o[e]),o.length?t.insertBefore(a,o[e]):t.appendChild(a)}}function h(t,e){var i=e.css,r=e.media;if(r&&t.setAttribute("media",r),t.styleSheet)t.styleSheet.cssText=i;else{for(;t.firstChild;)t.removeChild(t.firstChild);t.appendChild(document.createTextNode(i))}}function f(t,e,i){var r=i.css,n=i.sourceMap,a=void 0===e.convertToAbsoluteUrls&&n;(e.convertToAbsoluteUrls||a)&&(r=_(r)),n&&(r+="\n/*# sourceMappingURL=data:application/json;base64,"+btoa(unescape(encodeURIComponent(JSON.stringify(n))))+" */");var o=new Blob([r],{type:"text/css"}),s=t.href;t.href=URL.createObjectURL(o),s&&URL.revokeObjectURL(s)}var p={},g=function(t){var e;return function(){return void 0===e&&(e=t.apply(this,arguments)),e}}(function(){return window&&document&&document.all&&!window.atob}),y=function(t){return document.querySelector(t)},v=function(t){var e={};return function(t){if("function"==typeof t)return t();if(void 0===e[t]){var i=y.call(this,t);if(window.HTMLIFrameElement&&i instanceof window.HTMLIFrameElement)try{i=i.contentDocument.head}catch(t){i=null}e[t]=i}return e[t]}}(),m=null,A=0,b=[],_=i(158);t.exports=function(t,e){if("undefined"!=typeof DEBUG&&DEBUG&&"object"!=typeof document)throw new Error("The style-loader cannot be used in a non-browser environment");e=e||{},e.attrs="object"==typeof e.attrs?e.attrs:{},e.singleton||"boolean"==typeof e.singleton||(e.singleton=g()),e.insertInto||(e.insertInto="head"),e.insertAt||(e.insertAt="bottom");var i=n(t,e);return r(i,e),function(t){for(var a=[],o=0;o<i.length;o++){var s=i[o],l=p[s.id];l.refs--,a.push(l)}if(t){r(n(t,e),e)}for(var o=0;o<a.length;o++){var l=a[o];if(0===l.refs){for(var u=0;u<l.parts.length;u++)l.parts[u]();delete p[l.id]}}}};var E=function(){var t=[];return function(e,i){return t[e]=i,t.filter(Boolean).join("\n")}}()},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(12),a=r(n),o=i(0),s=r(o),l=i(1),u=r(l),c=i(3),d=r(c),h=i(2),f=r(h),p=i(5),g=i(30),y=r(g),v=i(20),m=r(v),A=i(6),b=r(A),_=function(t){function e(i,r,n){(0,s.default)(this,e);var a=(0,u.default)(this,t.call(this,i));return a.settings={},a._i18n=r,a.playerError=n,a._consented=!1,a}return(0,f.default)(e,t),(0,d.default)(e,[{key:"isAudioOnly",get:function(){return!1}},{key:"isAdaptive",get:function(){return!1}},{key:"ended",get:function(){return!1}},{key:"i18n",get:function(){return this._i18n}},{key:"buffering",get:function(){return!1}},{key:"consented",get:function(){return this._consented}}]),e.prototype.consent=function(){this._consented=!0},e.prototype.play=function(){},e.prototype.pause=function(){},e.prototype.stop=function(){},e.prototype.seek=function(t){},e.prototype.seekPercentage=function(t){},e.prototype.getStartTimeOffset=function(){return 0},e.prototype.getDuration=function(){return 0},e.prototype.isPlaying=function(){return!1},e.prototype.getPlaybackType=function(){return e.NO_OP},e.prototype.isHighDefinitionInUse=function(){return!1},e.prototype.volume=function(t){},e.prototype.configure=function(t){this._options=b.default.extend(this._options,t)},e.prototype.attemptAutoPlay=function(){var t=this;this.canAutoPlay(function(e,i){e&&t.play()})},e.prototype.canAutoPlay=function(t){t(!0,null)},(0,d.default)(e,[{key:"isReady",get:function(){return!1}},{key:"hasClosedCaptionsTracks",get:function(){return this.closedCaptionsTracks.length>0}},{key:"closedCaptionsTracks",get:function(){return[]}},{key:"closedCaptionsTrackId",get:function(){return-1},set:function(t){}}]),e}(y.default);e.default=_,(0,a.default)(_.prototype,m.default),_.extend=function(t){return(0,p.extend)(_,t)},_.canPlay=function(t,e){return!1},_.VOD="vod",_.AOD="aod",_.LIVE="live",_.NO_OP="no_op",_.type="playback",t.exports=e.default},function(t,e){var i=t.exports={version:"2.4.0"};"number"==typeof __e&&(__e=i)},function(t,e,i){t.exports={default:i(102),__esModule:!0}},function(t,e,i){var r=i(50)("wks"),n=i(36),a=i(17).Symbol,o="function"==typeof a;(t.exports=function(t){return r[t]||(r[t]=o&&a[t]||(o?a:n)("Symbol."+t))}).store=r},function(t,e,i){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r=i(144),n=function(t){return t&&t.__esModule?t:{default:t}}(r);e.default=n.default,t.exports=e.default},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(0),a=r(n),o=i(1),s=r(o),l=i(3),u=r(l),c=i(2),d=r(c),h=i(5),f=i(4),p=r(f),g=function(t){function e(){var i=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};(0,a.default)(this,e);var r=(0,s.default)(this,t.call(this,i));return r._options=i,r.uniqueId=(0,h.uniqueId)("o"),r}return(0,d.default)(e,t),(0,u.default)(e,[{key:"options",get:function(){return this._options}}]),e}(p.default);e.default=g,t.exports=e.default},function(t,e,i){var r=i(17),n=i(11),a=i(44),o=i(25),s=function(t,e,i){var l,u,c,d=t&s.F,h=t&s.G,f=t&s.S,p=t&s.P,g=t&s.B,y=t&s.W,v=h?n:n[e]||(n[e]={}),m=v.prototype,A=h?r:f?r[e]:(r[e]||{}).prototype;h&&(i=e);for(l in i)(u=!d&&A&&void 0!==A[l])&&l in v||(c=u?A[l]:i[l],v[l]=h&&"function"!=typeof A[l]?i[l]:g&&u?a(c,r):y&&A[l]==c?function(t){var e=function(e,i,r){if(this instanceof t){switch(arguments.length){case 0:return new t;case 1:return new t(e);case 2:return new t(e,i)}return new t(e,i,r)}return t.apply(this,arguments)};return e.prototype=t.prototype,e}(c):p&&"function"==typeof c?a(Function.call,c):c,p&&((v.virtual||(v.virtual={}))[l]=c,t&s.R&&m&&!m[l]&&o(m,l,c)))};s.F=1,s.G=2,s.S=4,s.P=8,s.B=16,s.W=32,s.U=64,s.R=128,t.exports=s},function(t,e){var i=t.exports="undefined"!=typeof window&&window.Math==Math?window:"undefined"!=typeof self&&self.Math==Math?self:Function("return this")();"number"==typeof __g&&(__g=i)},function(t,e,i){var r=i(26),n=i(65),a=i(45),o=Object.defineProperty;e.f=i(21)?Object.defineProperty:function(t,e,i){if(r(t),e=a(e,!0),r(i),n)try{return o(t,e,i)}catch(t){}if("get"in i||"set"in i)throw TypeError("Accessors not supported!");return"value"in i&&(t[e]=i.value),t}},function(t,e,i){var r=i(68),n=i(47);t.exports=function(t){return r(n(t))}},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(12),a=r(n),o=i(29),s=r(o),l=i(24),u=r(l),c={createError:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{useCodePrefix:!0},i=this.constructor&&this.constructor.type||"",r=this.name||i,n=this.i18n||this.core&&this.core.i18n||this.container&&this.container.i18n,o=r+":"+(t&&t.code||"unknown"),l={description:"",level:u.default.Levels.FATAL,origin:r,scope:i,raw:{}},c=(0,a.default)({},l,t,{code:e.useCodePrefix?o:t.code});if(n&&c.level==u.default.Levels.FATAL&&!c.UI){var d={title:n.t("default_error_title"),message:n.t("default_error_message")};c.UI=d}return this.playerError?this.playerError.createError(c):s.default.warn(r,"PlayerError is not defined. Error: ",c),c}};e.default=c,t.exports=e.default},function(t,e,i){t.exports=!i(27)(function(){return 7!=Object.defineProperty({},"a",{get:function(){return 7}}).a})},function(t,e){var i={}.hasOwnProperty;t.exports=function(t,e){return i.call(t,e)}},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(12),a=r(n),o=i(0),s=r(o),l=i(1),u=r(l),c=i(3),d=r(c),h=i(2),f=r(h),p=i(5),g=i(30),y=r(g),v=i(20),m=r(v),A=function(t){function e(i){(0,s.default)(this,e);var r=(0,u.default)(this,t.call(this,i.options));return r.core=i,r.enabled=!0,r.bindEvents(),r.render(),r}return(0,f.default)(e,t),(0,d.default)(e,[{key:"playerError",get:function(){return this.core.playerError}}]),e.prototype.bindEvents=function(){},e.prototype.getExternalInterface=function(){return{}},e.prototype.enable=function(){this.enabled||(this.bindEvents(),this.$el.show(),this.enabled=!0)},e.prototype.disable=function(){this.stopListening(),this.$el.hide(),this.enabled=!1},e.prototype.render=function(){return this},e}(y.default);e.default=A,(0,a.default)(A.prototype,m.default),A.extend=function(t){return(0,p.extend)(A,t)},A.type="core",t.exports=e.default},function(t,e,i){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r=i(79),n=function(t){return t&&t.__esModule?t:{default:t}}(r);e.default=n.default,t.exports=e.default},function(t,e,i){var r=i(18),n=i(33);t.exports=i(21)?function(t,e,i){return r.f(t,e,n(1,i))}:function(t,e,i){return t[e]=i,t}},function(t,e,i){var r=i(32);t.exports=function(t){if(!r(t))throw TypeError(t+" is not an object!");return t}},function(t,e){t.exports=function(t){try{return!!t()}catch(t){return!0}}},function(t,e,i){var r=i(67),n=i(51);t.exports=Object.keys||function(t){return r(t,n)}},function(t,e,i){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r=i(148),n=function(t){return t&&t.__esModule?t:{default:t}}(r);e.default=n.default,t.exports=e.default},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(0),a=r(n),o=i(1),s=r(o),l=i(3),u=r(l),c=i(2),d=r(c),h=i(6),f=r(h),p=i(5),g=i(15),y=r(g),v=/^(\S+)\s*(.*)$/,m=function(t){function e(i){(0,a.default)(this,e);var r=(0,s.default)(this,t.call(this,i));return r.cid=(0,p.uniqueId)("c"),r._ensureElement(),r.delegateEvents(),r}return(0,d.default)(e,t),(0,u.default)(e,[{key:"tagName",get:function(){return"div"}},{key:"events",get:function(){return{}}},{key:"attributes",get:function(){return{}}}]),e.prototype.$=function(t){return this.$el.find(t)},e.prototype.render=function(){return this},e.prototype.destroy=function(){return this.$el.remove(),this.stopListening(),this.undelegateEvents(),this},e.prototype.setElement=function(t,e){return this.$el&&this.undelegateEvents(),this.$el=f.default.zepto.isZ(t)?t:(0,f.default)(t),this.el=this.$el[0],!1!==e&&this.delegateEvents(),this},e.prototype.delegateEvents=function(t){if(!t&&!(t=this.events))return this;this.undelegateEvents();for(var e in t){var i=t[e];if(i&&i.constructor!==Function&&(i=this[t[e]]),i){var r=e.match(v),n=r[1],a=r[2];n+=".delegateEvents"+this.cid,""===a?this.$el.on(n,i.bind(this)):this.$el.on(n,a,i.bind(this))}}return this},e.prototype.undelegateEvents=function(){return this.$el.off(".delegateEvents"+this.cid),this},e.prototype._ensureElement=function(){if(this.el)this.setElement(this.el,!1);else{var t=f.default.extend({},this.attributes);this.id&&(t.id=this.id),this.className&&(t.class=this.className);var e=p.DomRecycler.create(this.tagName).attr(t);this.setElement(e,!1)}},e}(y.default);e.default=m,t.exports=e.default},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(0),a=r(n),o=i(4),s=r(o),l=new s.default,u=function t(){(0,a.default)(this,t)};e.default=u,u.on=function(t,e,i){l.on(t,e,i)},u.once=function(t,e,i){l.once(t,e,i)},u.off=function(t,e,i){l.off(t,e,i)},u.trigger=function(t){for(var e=arguments.length,i=Array(e>1?e-1:0),r=1;r<e;r++)i[r-1]=arguments[r];l.trigger.apply(l,[t].concat(i))},u.stopListening=function(t,e,i){l.stopListening(t,e,i)},t.exports=e.default},function(t,e){t.exports=function(t){return"object"==typeof t?null!==t:"function"==typeof t}},function(t,e){t.exports=function(t,e){return{enumerable:!(1&t),configurable:!(2&t),writable:!(4&t),value:e}}},function(t,e){t.exports={}},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(12),a=r(n),o=i(0),s=r(o),l=i(1),u=r(l),c=i(3),d=r(c),h=i(2),f=r(h),p=i(5),g=i(15),y=r(g),v=i(20),m=r(v),A=function(t){function e(i){(0,s.default)(this,e);var r=(0,u.default)(this,t.call(this,i.options));return r.core=i,r.enabled=!0,r.bindEvents(),r}return(0,f.default)(e,t),(0,d.default)(e,[{key:"playerError",get:function(){return this.core.playerError}}]),e.prototype.bindEvents=function(){},e.prototype.enable=function(){this.enabled||(this.bindEvents(),this.enabled=!0)},e.prototype.disable=function(){this.enabled&&(this.stopListening(),this.enabled=!1)},e.prototype.getExternalInterface=function(){return{}},e.prototype.destroy=function(){this.stopListening()},e}(y.default);e.default=A,(0,a.default)(A.prototype,m.default),A.extend=function(t){return(0,p.extend)(A,t)},A.type="core",t.exports=e.default},function(t,e){var i=0,r=Math.random();t.exports=function(t){return"Symbol(".concat(void 0===t?"":t,")_",(++i+r).toString(36))}},function(t,e){e.f={}.propertyIsEnumerable},function(t,e,i){var r=i(47);t.exports=function(t){return Object(r(t))}},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}e.__esModule=!0;var n=i(110),a=r(n),o=i(121),s=r(o),l="function"==typeof s.default&&"symbol"==typeof a.default?function(t){return typeof t}:function(t){return t&&"function"==typeof s.default&&t.constructor===s.default&&t!==s.default.prototype?"symbol":typeof t};e.default="function"==typeof s.default&&"symbol"===l(a.default)?function(t){return void 0===t?"undefined":l(t)}:function(t){return t&&"function"==typeof s.default&&t.constructor===s.default&&t!==s.default.prototype?"symbol":void 0===t?"undefined":l(t)}},function(t,e,i){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r=i(0),n=function(t){return t&&t.__esModule?t:{default:t}}(r),a=function t(){(0,n.default)(this,t),this.options={},this.playbackPlugins=[],this.currentSize={width:0,height:0}};a._players={},a.getInstance=function(t){return a._players[t]||(a._players[t]=new a)},e.default=a,t.exports=e.default},function(t,e,i){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r=i(172),n=function(t){return t&&t.__esModule?t:{default:t}}(r);e.default=n.default,t.exports=e.default},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(12),a=r(n),o=i(0),s=r(o),l=i(1),u=r(l),c=i(3),d=r(c),h=i(2),f=r(h),p=i(5),g=i(30),y=r(g),v=i(20),m=r(v),A=function(t){function e(i){(0,s.default)(this,e);var r=(0,u.default)(this,t.call(this,i.options));return r.container=i,r.enabled=!0,r.bindEvents(),r}return(0,f.default)(e,t),(0,d.default)(e,[{key:"playerError",get:function(){return this.container.playerError}}]),e.prototype.enable=function(){this.enabled||(this.bindEvents(),this.$el.show(),this.enabled=!0)},e.prototype.disable=function(){this.stopListening(),this.$el.hide(),this.enabled=!1},e.prototype.bindEvents=function(){},e}(y.default);e.default=A,(0,a.default)(A.prototype,m.default),A.extend=function(t){return(0,p.extend)(A,t)},A.type="container",t.exports=e.default},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(12),a=r(n),o=i(0),s=r(o),l=i(1),u=r(l),c=i(3),d=r(c),h=i(2),f=r(h),p=i(15),g=r(p),y=i(5),v=i(20),m=r(v),A=function(t){function e(i){(0,s.default)(this,e);var r=(0,u.default)(this,t.call(this,i.options));return r.container=i,r.enabled=!0,r.bindEvents(),r}return(0,f.default)(e,t),(0,d.default)(e,[{key:"playerError",get:function(){return this.container.playerError}}]),e.prototype.enable=function(){this.enabled||(this.bindEvents(),this.enabled=!0)},e.prototype.disable=function(){this.enabled&&(this.stopListening(),this.enabled=!1)},e.prototype.bindEvents=function(){},e.prototype.destroy=function(){this.stopListening()},e}(g.default);e.default=A,(0,a.default)(A.prototype,m.default),A.extend=function(t){return(0,y.extend)(A,t)},A.type="container",t.exports=e.default},function(t,e,i){var r=i(104);t.exports=function(t,e,i){if(r(t),void 0===e)return t;switch(i){case 1:return function(i){return t.call(e,i)};case 2:return function(i,r){return t.call(e,i,r)};case 3:return function(i,r,n){return t.call(e,i,r,n)}}return function(){return t.apply(e,arguments)}}},function(t,e,i){var r=i(32);t.exports=function(t,e){if(!r(t))return t;var i,n;if(e&&"function"==typeof(i=t.toString)&&!r(n=i.call(t)))return n;if("function"==typeof(i=t.valueOf)&&!r(n=i.call(t)))return n;if(!e&&"function"==typeof(i=t.toString)&&!r(n=i.call(t)))return n;throw TypeError("Can't convert object to primitive value")}},function(t,e){var i={}.toString;t.exports=function(t){return i.call(t).slice(8,-1)}},function(t,e){t.exports=function(t){if(void 0==t)throw TypeError("Can't call method on "+t);return t}},function(t,e){var i=Math.ceil,r=Math.floor;t.exports=function(t){return isNaN(t=+t)?0:(t>0?r:i)(t)}},function(t,e,i){var r=i(50)("keys"),n=i(36);t.exports=function(t){return r[t]||(r[t]=n(t))}},function(t,e,i){var r=i(17),n=r["__core-js_shared__"]||(r["__core-js_shared__"]={});t.exports=function(t){return n[t]||(n[t]={})}},function(t,e){t.exports="constructor,hasOwnProperty,isPrototypeOf,propertyIsEnumerable,toLocaleString,toString,valueOf".split(",")},function(t,e){e.f=Object.getOwnPropertySymbols},function(t,e,i){t.exports={default:i(108),__esModule:!0}},function(t,e){t.exports=!0},function(t,e,i){var r=i(26),n=i(114),a=i(51),o=i(49)("IE_PROTO"),s=function(){},l=function(){var t,e=i(66)("iframe"),r=a.length;for(e.style.display="none",i(115).appendChild(e),e.src="javascript:",t=e.contentWindow.document,t.open(),t.write("<script>document.F=Object<\/script>"),t.close(),l=t.F;r--;)delete l.prototype[a[r]];return l()};t.exports=Object.create||function(t,e){var i;return null!==t?(s.prototype=r(t),i=new s,s.prototype=null,i[o]=t):i=l(),void 0===e?i:n(i,e)}},function(t,e,i){var r=i(18).f,n=i(22),a=i(13)("toStringTag");t.exports=function(t,e,i){t&&!n(t=i?t:t.prototype,a)&&r(t,a,{configurable:!0,value:e})}},function(t,e,i){e.f=i(13)},function(t,e,i){var r=i(17),n=i(11),a=i(54),o=i(57),s=i(18).f;t.exports=function(t){var e=n.Symbol||(n.Symbol=a?{}:r.Symbol||{});"_"==t.charAt(0)||t in e||s(e,t,{value:o.f(t)})}},function(t,e,i){var r=i(37),n=i(33),a=i(19),o=i(45),s=i(22),l=i(65),u=Object.getOwnPropertyDescriptor;e.f=i(21)?u:function(t,e){if(t=a(t),e=o(e,!0),l)try{return u(t,e)}catch(t){}if(s(t,e))return n(!r.f.call(t,e),t[e])}},function(t,e,i){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r=i(149),n=function(t){return t&&t.__esModule?t:{default:t}}(r);e.default={Kibo:n.default},t.exports=e.default},function(t,e,i){"use strict";e.__esModule=!0;var r=i(83),n=function(t){return t&&t.__esModule?t:{default:t}}(r);e.default=function(t){if(Array.isArray(t)){for(var e=0,i=Array(t.length);e<t.length;e++)i[e]=t[e];return i}return(0,n.default)(t)}},function(t,e){function i(){throw new Error("setTimeout has not been defined")}function r(){throw new Error("clearTimeout has not been defined")}function n(t){if(c===setTimeout)return setTimeout(t,0);if((c===i||!c)&&setTimeout)return c=setTimeout,setTimeout(t,0);try{return c(t,0)}catch(e){try{return c.call(null,t,0)}catch(e){return c.call(this,t,0)}}}function a(t){if(d===clearTimeout)return clearTimeout(t);if((d===r||!d)&&clearTimeout)return d=clearTimeout,clearTimeout(t);try{return d(t)}catch(e){try{return d.call(null,t)}catch(e){return d.call(this,t)}}}function o(){g&&f&&(g=!1,f.length?p=f.concat(p):y=-1,p.length&&s())}function s(){if(!g){var t=n(o);g=!0;for(var e=p.length;e;){for(f=p,p=[];++y<e;)f&&f[y].run();y=-1,e=p.length}f=null,g=!1,a(t)}}function l(t,e){this.fun=t,this.array=e}function u(){}var c,d,h=t.exports={};!function(){try{c="function"==typeof setTimeout?setTimeout:i}catch(t){c=i}try{d="function"==typeof clearTimeout?clearTimeout:r}catch(t){d=r}}();var f,p=[],g=!1,y=-1;h.nextTick=function(t){var e=new Array(arguments.length-1);if(arguments.length>1)for(var i=1;i<arguments.length;i++)e[i-1]=arguments[i];p.push(new l(t,e)),1!==p.length||g||n(s)},l.prototype.run=function(){this.fun.apply(null,this.array)},h.title="browser",h.browser=!0,h.env={},h.argv=[],h.version="",h.versions={},h.on=u,h.addListener=u,h.once=u,h.off=u,h.removeListener=u,h.removeAllListeners=u,h.emit=u,h.binding=function(t){throw new Error("process.binding is not supported")},h.cwd=function(){return"/"},h.chdir=function(t){throw new Error("process.chdir is not supported")},h.umask=function(){return 0}},function(t,e,i){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.default=i(177),t.exports=e.default},function(t,e){t.exports='<svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 16 16"><path fill="#010101" d="M1.425.35L14.575 8l-13.15 7.65V.35z"></path></svg>'},function(t,e,i){t.exports=!i(21)&&!i(27)(function(){return 7!=Object.defineProperty(i(66)("div"),"a",{get:function(){return 7}}).a})},function(t,e,i){var r=i(32),n=i(17).document,a=r(n)&&r(n.createElement);t.exports=function(t){return a?n.createElement(t):{}}},function(t,e,i){var r=i(22),n=i(19),a=i(106)(!1),o=i(49)("IE_PROTO");t.exports=function(t,e){var i,s=n(t),l=0,u=[];for(i in s)i!=o&&r(s,i)&&u.push(i);for(;e.length>l;)r(s,i=e[l++])&&(~a(u,i)||u.push(i));return u}},function(t,e,i){var r=i(46);t.exports=Object("z").propertyIsEnumerable(0)?Object:function(t){return"String"==r(t)?t.split(""):Object(t)}},function(t,e,i){var r=i(48),n=Math.min;t.exports=function(t){return t>0?n(r(t),9007199254740991):0}},function(t,e,i){var r=i(16),n=i(11),a=i(27);t.exports=function(t,e){var i=(n.Object||{})[t]||Object[t],o={};o[t]=e(i),r(r.S+r.F*a(function(){i(1)}),"Object",o)}},function(t,e,i){"use strict";var r=i(112)(!0);i(72)(String,"String",function(t){this._t=String(t),this._i=0},function(){var t,e=this._t,i=this._i;return i>=e.length?{value:void 0,done:!0}:(t=r(e,i),this._i+=t.length,{value:t,done:!1})})},function(t,e,i){"use strict";var r=i(54),n=i(16),a=i(73),o=i(25),s=i(22),l=i(34),u=i(113),c=i(56),d=i(116),h=i(13)("iterator"),f=!([].keys&&"next"in[].keys()),p=function(){return this};t.exports=function(t,e,i,g,y,v,m){u(i,e,g);var A,b,_,E=function(t){if(!f&&t in R)return R[t];switch(t){case"keys":case"values":return function(){return new i(this,t)}}return function(){return new i(this,t)}},T=e+" Iterator",S="values"==y,L=!1,R=t.prototype,k=R[h]||R["@@iterator"]||y&&R[y],w=k||E(y),C=y?S?E("entries"):w:void 0,I="Array"==e?R.entries||k:k;if(I&&(_=d(I.call(new t)))!==Object.prototype&&(c(_,T,!0),r||s(_,h)||o(_,h,p)),S&&k&&"values"!==k.name&&(L=!0,w=function(){return k.call(this)}),r&&!m||!f&&!L&&R[h]||o(R,h,w),l[e]=w,l[T]=p,y)if(A={values:S?w:E("values"),keys:v?w:E("keys"),entries:C},m)for(b in A)b in R||a(R,b,A[b]);else n(n.P+n.F*(f||L),e,A);return A}},function(t,e,i){t.exports=i(25)},function(t,e,i){var r=i(67),n=i(51).concat("length","prototype");e.f=Object.getOwnPropertyNames||function(t){return r(t,n)}},function(t,e,i){t.exports={default:i(132),__esModule:!0}},function(t,e,i){t.exports={default:i(138),__esModule:!0}},function(t,e,i){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r=i(152),n=function(t){return t&&t.__esModule?t:{default:t}}(r);e.default=n.default,t.exports=e.default},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(6),a=r(n),o=i(7),s=r(o),l={getStyleFor:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{baseUrl:""};return(0,a.default)('<style class="clappr-style"></style>').html((0,s.default)(t.toString())(e))}};e.default=l,t.exports=e.default},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(0),a=r(n),o=i(1),s=r(o),l=i(3),u=r(l),c=i(2),d=r(c),h=i(4),f=r(h),p=i(15),g=r(p),y=i(29),v=r(y),m=function(t){function e(){var i=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},r=arguments[1];(0,a.default)(this,e);var n=(0,s.default)(this,t.call(this,i));return n.core=r,n}return(0,d.default)(e,t),(0,u.default)(e,[{key:"name",get:function(){return"error"}}],[{key:"Levels",get:function(){return{FATAL:"FATAL",WARN:"WARN",INFO:"INFO"}}}]),e.prototype.createError=function(t){if(!this.core)return void v.default.warn(this.name,"Core is not set. Error: ",t);this.core.trigger(f.default.ERROR,t)},e}(g.default);e.default=m,t.exports=e.default},function(t,e,i){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r=i(155),n=function(t){return t&&t.__esModule?t:{default:t}}(r);e.default=n.default,t.exports=e.default},function(t,e){t.exports=function(t){return"string"!=typeof t?t:(/^['"].*['"]$/.test(t)&&(t=t.slice(1,-1)),/["'() \t\n]/.test(t)?'"'+t.replace(/"/g,'\\"').replace(/\n/g,"\\n")+'"':t)}},function(t,e,i){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r=i(163),n=function(t){return t&&t.__esModule?t:{default:t}}(r);e.default=n.default,t.exports=e.default},function(t,e,i){t.exports={default:i(164),__esModule:!0}},function(t,e,i){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r=i(176),n=function(t){return t&&t.__esModule?t:{default:t}}(r);e.default=n.default,t.exports=e.default},function(t,e,i){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r=i(182),n=function(t){return t&&t.__esModule?t:{default:t}}(r);e.default=n.default,t.exports=e.default},function(t,e,i){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r=i(183),n=function(t){return t&&t.__esModule?t:{default:t}}(r);e.default=n.default,t.exports=e.default},function(t,e,i){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r=i(186),n=function(t){return t&&t.__esModule?t:{default:t}}(r);e.default=n.default,t.exports=e.default},function(t,e,i){t.exports={default:i(187),__esModule:!0}},function(t,e,i){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r=i(189),n=function(t){return t&&t.__esModule?t:{default:t}}(r);e.default=n.default,t.exports=e.default},function(t,e,i){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r=i(192),n=function(t){return t&&t.__esModule?t:{default:t}}(r);e.default=n.default,t.exports=e.default},function(t,e,i){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r=i(196),n=function(t){return t&&t.__esModule?t:{default:t}}(r);e.default=n.default,t.exports=e.default},function(t,e,i){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r=i(202),n=function(t){return t&&t.__esModule?t:{default:t}}(r);e.default=n.default,t.exports=e.default},function(t,e,i){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r=i(206),n=function(t){return t&&t.__esModule?t:{default:t}}(r);e.default=n.default,t.exports=e.default},function(t,e,i){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r=i(212),n=function(t){return t&&t.__esModule?t:{default:t}}(r);e.default=n.default,t.exports=e.default},function(t,e,i){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r=i(213),n=function(t){return t&&t.__esModule?t:{default:t}}(r);e.default=n.default,t.exports=e.default},function(t,e){t.exports="<%=baseUrl%>/a8c874b93b3d848f39a71260c57e3863.cur"},function(t,e){t.exports='<svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 16 16"><path fill-rule="evenodd" clip-rule="evenodd" fill="#010101" d="M1.712 14.76H6.43V1.24H1.71v13.52zm7.86-13.52v13.52h4.716V1.24H9.573z"></path></svg>'},function(t,e,i){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r=i(223),n=function(t){return t&&t.__esModule?t:{default:t}}(r);e.default=n.default,t.exports=e.default},function(t,e,i){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r=i(233),n=function(t){return t&&t.__esModule?t:{default:t}}(r);e.default=n.default,t.exports=e.default},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(101),a=r(n),o=i(5),s=r(o),l=i(4),u=r(l),c=i(10),d=r(c),h=i(43),f=r(h),p=i(35),g=r(p),y=i(23),v=r(y),m=i(42),A=r(m),b=i(15),_=r(b),E=i(30),T=r(E),S=i(14),L=r(S),R=i(80),k=r(R),w=i(77),C=r(w),I=i(24),O=r(I),D=i(82),P=r(D),x=i(31),M=r(x),N=i(40),F=r(N),B=i(63),U=r(B),G=i(84),K=r(G),j=i(86),V=r(j),Y=i(87),H=r(Y),$=i(85),W=r($),z=i(41),q=r(z),X=i(89),Z=r(X),Q=i(90),J=r(Q),tt=i(95),et=r(tt),it=i(94),rt=r(it),nt=i(98),at=r(nt),ot=i(99),st=r(ot),lt=i(29),ut=r(lt),ct=i(93),dt=r(ct),ht=i(91),ft=r(ht),pt=i(92),gt=r(pt),yt=i(78),vt=r(yt),mt=i(60),At=r(mt),bt=i(7),_t=r(bt),Et=i(6),Tt=r(Et);e.default={Player:a.default,Mediator:M.default,Events:u.default,Browser:L.default,PlayerInfo:F.default,MediaControl:et.default,ContainerPlugin:f.default,UIContainerPlugin:A.default,CorePlugin:g.default,UICorePlugin:v.default,Playback:d.default,Container:k.default,Core:C.default,PlayerError:O.default,Loader:P.default,BaseObject:_.default,UIObject:T.default,Utils:s.default,BaseFlashPlayback:U.default,Flash:K.default,FlasHLS:V.default,HLS:H.default,HTML5Audio:W.default,HTML5Video:q.default,HTMLImg:Z.default,NoOp:J.default,ClickToPausePlugin:rt.default,DVRControls:at.default,Favicon:st.default,Log:ut.default,Poster:dt.default,SpinnerThreeBouncePlugin:ft.default,WaterMarkPlugin:gt.default,Styler:vt.default,Vendor:At.default,version:"0.3.1",template:_t.default,$:Tt.default},t.exports=e.default},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(12),a=r(n),o=i(53),s=r(o),l=i(0),u=r(l),c=i(1),d=r(c),h=i(3),f=r(h),p=i(2),g=r(p),y=i(5),v=i(15),m=r(v),A=i(4),b=r(A),_=i(14),E=r(_),T=i(150),S=r(T),L=i(82),R=r(L),k=i(40),w=r(k),C=i(20),I=r(C),O=i(6),D=r(O),P=(0,y.currentScriptUrl)().replace(/\/[^\/]+$/,""),x=function(t){function e(i){(0,u.default)(this,e);var r=(0,d.default)(this,t.call(this,i)),n={recycleVideo:!0},a={playerId:(0,y.uniqueId)(""),persistConfig:!0,width:640,height:360,baseUrl:P,allowUserInteraction:E.default.isMobile,playback:n};return r._options=D.default.extend(a,i),r.options.sources=r._normalizeSources(i),r.options.chromeless||(r.options.allowUserInteraction=!0),r.options.allowUserInteraction||(r.options.disableKeyboardShortcuts=!0),r._registerOptionEventListeners(r.options.events),r._coreFactory=new S.default(r),r.playerInfo=w.default.getInstance(r.options.playerId),r.playerInfo.currentSize={width:i.width,height:i.height},r.playerInfo.options=r.options,r.options.parentId?r.setParentId(r.options.parentId):r.options.parent&&r.attachTo(r.options.parent),r}return(0,g.default)(e,t),(0,f.default)(e,[{key:"loader",set:function(t){this._loader=t},get:function(){return this._loader||(this._loader=new R.default(this.options.plugins||{},this.options.playerId)),this._loader}},{key:"ended",get:function(){return this.core.activeContainer.ended}},{key:"buffering",get:function(){return this.core.activeContainer.buffering}},{key:"isReady",get:function(){return!!this._ready}},{key:"eventsMapping",get:function(){return{onReady:b.default.PLAYER_READY,onResize:b.default.PLAYER_RESIZE,onPlay:b.default.PLAYER_PLAY,onPause:b.default.PLAYER_PAUSE,onStop:b.default.PLAYER_STOP,onEnded:b.default.PLAYER_ENDED,onSeek:b.default.PLAYER_SEEK,onError:b.default.PLAYER_ERROR,onTimeUpdate:b.default.PLAYER_TIMEUPDATE,onVolumeUpdate:b.default.PLAYER_VOLUMEUPDATE,onSubtitleAvailable:b.default.PLAYER_SUBTITLE_AVAILABLE}}}]),e.prototype.setParentId=function(t){var e=document.querySelector(t);return e&&this.attachTo(e),this},e.prototype.attachTo=function(t){return this.options.parentElement=t,this.core=this._coreFactory.create(),this._addEventListeners(),this},e.prototype._addEventListeners=function(){return this.core.isReady?this._onReady():this.listenToOnce(this.core,b.default.CORE_READY,this._onReady),this.listenTo(this.core.activeContainer,b.default.CORE_ACTIVE_CONTAINER_CHANGED,this._containerChanged),this.listenTo(this.core,b.default.CORE_FULLSCREEN,this._onFullscreenChange),this.listenTo(this.core,b.default.CORE_RESIZE,this._onResize),this},e.prototype._addContainerEventListeners=function(){var t=this.core.activeContainer;return t&&(this.listenTo(t,b.default.CONTAINER_PLAY,this._onPlay),this.listenTo(t,b.default.CONTAINER_PAUSE,this._onPause),this.listenTo(t,b.default.CONTAINER_STOP,this._onStop),this.listenTo(t,b.default.CONTAINER_ENDED,this._onEnded),this.listenTo(t,b.default.CONTAINER_SEEK,this._onSeek),this.listenTo(t,b.default.CONTAINER_ERROR,this._onError),this.listenTo(t,b.default.CONTAINER_TIMEUPDATE,this._onTimeUpdate),this.listenTo(t,b.default.CONTAINER_VOLUME,this._onVolumeUpdate),this.listenTo(t,b.default.CONTAINER_SUBTITLE_AVAILABLE,this._onSubtitleAvailable)),this},e.prototype._registerOptionEventListeners=function(){var t=this,e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},i=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};return(0,s.default)(e).length>0&&(0,s.default)(i).forEach(function(e){var r=t.eventsMapping[e];r&&t.off(r,i[e])}),(0,s.default)(e).forEach(function(i){var r=t.eventsMapping[i];if(r){var n=e[i];(n="function"==typeof n&&n)&&t.on(r,n)}}),this},e.prototype._containerChanged=function(){this.stopListening(),this._addEventListeners()},e.prototype._onReady=function(){this._ready=!0,this._addContainerEventListeners(),this.trigger(b.default.PLAYER_READY)},e.prototype._onFullscreenChange=function(t){this.trigger(b.default.PLAYER_FULLSCREEN,t)},e.prototype._onVolumeUpdate=function(t){this.trigger(b.default.PLAYER_VOLUMEUPDATE,t)},e.prototype._onSubtitleAvailable=function(){this.trigger(b.default.PLAYER_SUBTITLE_AVAILABLE)},e.prototype._onResize=function(t){this.trigger(b.default.PLAYER_RESIZE,t)},e.prototype._onPlay=function(){this.trigger(b.default.PLAYER_PLAY)},e.prototype._onPause=function(){this.trigger(b.default.PLAYER_PAUSE)},e.prototype._onStop=function(){this.trigger(b.default.PLAYER_STOP,this.getCurrentTime())},e.prototype._onEnded=function(){this.trigger(b.default.PLAYER_ENDED)},e.prototype._onSeek=function(t){this.trigger(b.default.PLAYER_SEEK,t)},e.prototype._onTimeUpdate=function(t){this.trigger(b.default.PLAYER_TIMEUPDATE,t)},e.prototype._onError=function(t){this.trigger(b.default.PLAYER_ERROR,t)},e.prototype._normalizeSources=function(t){var e=t.sources||(void 0!==t.source?[t.source]:[]);return 0===e.length?[{source:"",mimeType:""}]:e},e.prototype.resize=function(t){return this.core.resize(t),this},e.prototype.load=function(t,e,i){return void 0!==i&&this.configure({autoPlay:!!i}),this.core.load(t,e),this},e.prototype.destroy=function(){return this.stopListening(),this.core.destroy(),this},e.prototype.consent=function(){return this.core.getCurrentPlayback().consent(),this},e.prototype.play=function(){return this.core.activeContainer.play(),this},e.prototype.pause=function(){return this.core.activeContainer.pause(),this},e.prototype.stop=function(){return this.core.activeContainer.stop(),this},e.prototype.seek=function(t){return this.core.activeContainer.seek(t),this},e.prototype.seekPercentage=function(t){return this.core.activeContainer.seekPercentage(t),this},e.prototype.mute=function(){return this._mutedVolume=this.getVolume(),this.setVolume(0),this},e.prototype.unmute=function(){return this.setVolume("number"==typeof this._mutedVolume?this._mutedVolume:100),this._mutedVolume=null,this},e.prototype.isPlaying=function(){return this.core.activeContainer.isPlaying()},e.prototype.isDvrEnabled=function(){return this.core.activeContainer.isDvrEnabled()},e.prototype.isDvrInUse=function(){return this.core.activeContainer.isDvrInUse()},e.prototype.configure=function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};return this._registerOptionEventListeners(t.events,this.options.events),this.core.configure(t),this},e.prototype.getPlugin=function(t){return this.core.plugins.concat(this.core.activeContainer.plugins).filter(function(e){return e.name===t})[0]},e.prototype.getCurrentTime=function(){return this.core.activeContainer.getCurrentTime()},e.prototype.getStartTimeOffset=function(){return this.core.activeContainer.getStartTimeOffset()},e.prototype.getDuration=function(){return this.core.activeContainer.getDuration()},e}(m.default);e.default=x,(0,a.default)(x.prototype,I.default),t.exports=e.default},function(t,e,i){i(103),t.exports=i(11).Object.assign},function(t,e,i){var r=i(16);r(r.S+r.F,"Object",{assign:i(105)})},function(t,e){t.exports=function(t){if("function"!=typeof t)throw TypeError(t+" is not a function!");return t}},function(t,e,i){"use strict";var r=i(28),n=i(52),a=i(37),o=i(38),s=i(68),l=Object.assign;t.exports=!l||i(27)(function(){var t={},e={},i=Symbol(),r="abcdefghijklmnopqrst";return t[i]=7,r.split("").forEach(function(t){e[t]=t}),7!=l({},t)[i]||Object.keys(l({},e)).join("")!=r})?function(t,e){for(var i=o(t),l=arguments.length,u=1,c=n.f,d=a.f;l>u;)for(var h,f=s(arguments[u++]),p=c?r(f).concat(c(f)):r(f),g=p.length,y=0;g>y;)d.call(f,h=p[y++])&&(i[h]=f[h]);return i}:l},function(t,e,i){var r=i(19),n=i(69),a=i(107);t.exports=function(t){return function(e,i,o){var s,l=r(e),u=n(l.length),c=a(o,u);if(t&&i!=i){for(;u>c;)if((s=l[c++])!=s)return!0}else for(;u>c;c++)if((t||c in l)&&l[c]===i)return t||c||0;return!t&&-1}}},function(t,e,i){var r=i(48),n=Math.max,a=Math.min;t.exports=function(t,e){return t=r(t),t<0?n(t+e,0):a(t,e)}},function(t,e,i){i(109),t.exports=i(11).Object.keys},function(t,e,i){var r=i(38),n=i(28);i(70)("keys",function(){return function(t){return n(r(t))}})},function(t,e,i){t.exports={default:i(111),__esModule:!0}},function(t,e,i){i(71),i(117),t.exports=i(57).f("iterator")},function(t,e,i){var r=i(48),n=i(47);t.exports=function(t){return function(e,i){var a,o,s=String(n(e)),l=r(i),u=s.length;return l<0||l>=u?t?"":void 0:(a=s.charCodeAt(l),a<55296||a>56319||l+1===u||(o=s.charCodeAt(l+1))<56320||o>57343?t?s.charAt(l):a:t?s.slice(l,l+2):o-56320+(a-55296<<10)+65536)}}},function(t,e,i){"use strict";var r=i(55),n=i(33),a=i(56),o={};i(25)(o,i(13)("iterator"),function(){return this}),t.exports=function(t,e,i){t.prototype=r(o,{next:n(1,i)}),a(t,e+" Iterator")}},function(t,e,i){var r=i(18),n=i(26),a=i(28);t.exports=i(21)?Object.defineProperties:function(t,e){n(t);for(var i,o=a(e),s=o.length,l=0;s>l;)r.f(t,i=o[l++],e[i]);return t}},function(t,e,i){t.exports=i(17).document&&document.documentElement},function(t,e,i){var r=i(22),n=i(38),a=i(49)("IE_PROTO"),o=Object.prototype;t.exports=Object.getPrototypeOf||function(t){return t=n(t),r(t,a)?t[a]:"function"==typeof t.constructor&&t instanceof t.constructor?t.constructor.prototype:t instanceof Object?o:null}},function(t,e,i){i(118);for(var r=i(17),n=i(25),a=i(34),o=i(13)("toStringTag"),s=["NodeList","DOMTokenList","MediaList","StyleSheetList","CSSRuleList"],l=0;l<5;l++){var u=s[l],c=r[u],d=c&&c.prototype;d&&!d[o]&&n(d,o,u),a[u]=a.Array}},function(t,e,i){"use strict";var r=i(119),n=i(120),a=i(34),o=i(19);t.exports=i(72)(Array,"Array",function(t,e){this._t=o(t),this._i=0,this._k=e},function(){var t=this._t,e=this._k,i=this._i++;return!t||i>=t.length?(this._t=void 0,n(1)):"keys"==e?n(0,i):"values"==e?n(0,t[i]):n(0,[i,t[i]])},"values"),a.Arguments=a.Array,r("keys"),r("values"),r("entries")},function(t,e){t.exports=function(){}},function(t,e){t.exports=function(t,e){return{value:e,done:!!t}}},function(t,e,i){t.exports={default:i(122),__esModule:!0}},function(t,e,i){i(123),i(129),i(130),i(131),t.exports=i(11).Symbol},function(t,e,i){"use strict";var r=i(17),n=i(22),a=i(21),o=i(16),s=i(73),l=i(124).KEY,u=i(27),c=i(50),d=i(56),h=i(36),f=i(13),p=i(57),g=i(58),y=i(125),v=i(126),m=i(127),A=i(26),b=i(19),_=i(45),E=i(33),T=i(55),S=i(128),L=i(59),R=i(18),k=i(28),w=L.f,C=R.f,I=S.f,O=r.Symbol,D=r.JSON,P=D&&D.stringify,x=f("_hidden"),M=f("toPrimitive"),N={}.propertyIsEnumerable,F=c("symbol-registry"),B=c("symbols"),U=c("op-symbols"),G=Object.prototype,K="function"==typeof O,j=r.QObject,V=!j||!j.prototype||!j.prototype.findChild,Y=a&&u(function(){return 7!=T(C({},"a",{get:function(){return C(this,"a",{value:7}).a}})).a})?function(t,e,i){var r=w(G,e);r&&delete G[e],C(t,e,i),r&&t!==G&&C(G,e,r)}:C,H=function(t){var e=B[t]=T(O.prototype);return e._k=t,e},$=K&&"symbol"==typeof O.iterator?function(t){return"symbol"==typeof t}:function(t){return t instanceof O},W=function(t,e,i){return t===G&&W(U,e,i),A(t),e=_(e,!0),A(i),n(B,e)?(i.enumerable?(n(t,x)&&t[x][e]&&(t[x][e]=!1),i=T(i,{enumerable:E(0,!1)})):(n(t,x)||C(t,x,E(1,{})),t[x][e]=!0),Y(t,e,i)):C(t,e,i)},z=function(t,e){A(t);for(var i,r=v(e=b(e)),n=0,a=r.length;a>n;)W(t,i=r[n++],e[i]);return t},q=function(t,e){return void 0===e?T(t):z(T(t),e)},X=function(t){var e=N.call(this,t=_(t,!0));return!(this===G&&n(B,t)&&!n(U,t))&&(!(e||!n(this,t)||!n(B,t)||n(this,x)&&this[x][t])||e)},Z=function(t,e){if(t=b(t),e=_(e,!0),t!==G||!n(B,e)||n(U,e)){var i=w(t,e);return!i||!n(B,e)||n(t,x)&&t[x][e]||(i.enumerable=!0),i}},Q=function(t){for(var e,i=I(b(t)),r=[],a=0;i.length>a;)n(B,e=i[a++])||e==x||e==l||r.push(e);return r},J=function(t){for(var e,i=t===G,r=I(i?U:b(t)),a=[],o=0;r.length>o;)!n(B,e=r[o++])||i&&!n(G,e)||a.push(B[e]);return a};K||(O=function(){if(this instanceof O)throw TypeError("Symbol is not a constructor!");var t=h(arguments.length>0?arguments[0]:void 0),e=function(i){this===G&&e.call(U,i),n(this,x)&&n(this[x],t)&&(this[x][t]=!1),Y(this,t,E(1,i))};return a&&V&&Y(G,t,{configurable:!0,set:e}),H(t)},s(O.prototype,"toString",function(){return this._k}),L.f=Z,R.f=W,i(74).f=S.f=Q,i(37).f=X,i(52).f=J,a&&!i(54)&&s(G,"propertyIsEnumerable",X,!0),p.f=function(t){return H(f(t))}),o(o.G+o.W+o.F*!K,{Symbol:O});for(var tt="hasInstance,isConcatSpreadable,iterator,match,replace,search,species,split,toPrimitive,toStringTag,unscopables".split(","),et=0;tt.length>et;)f(tt[et++]);for(var tt=k(f.store),et=0;tt.length>et;)g(tt[et++]);o(o.S+o.F*!K,"Symbol",{for:function(t){return n(F,t+="")?F[t]:F[t]=O(t)},keyFor:function(t){if($(t))return y(F,t);throw TypeError(t+" is not a symbol!")},useSetter:function(){V=!0},useSimple:function(){V=!1}}),o(o.S+o.F*!K,"Object",{create:q,defineProperty:W,defineProperties:z,getOwnPropertyDescriptor:Z,getOwnPropertyNames:Q,getOwnPropertySymbols:J}),D&&o(o.S+o.F*(!K||u(function(){var t=O();return"[null]"!=P([t])||"{}"!=P({a:t})||"{}"!=P(Object(t))})),"JSON",{stringify:function(t){if(void 0!==t&&!$(t)){for(var e,i,r=[t],n=1;arguments.length>n;)r.push(arguments[n++]);return e=r[1],"function"==typeof e&&(i=e),!i&&m(e)||(e=function(t,e){if(i&&(e=i.call(this,t,e)),!$(e))return e}),r[1]=e,P.apply(D,r)}}}),O.prototype[M]||i(25)(O.prototype,M,O.prototype.valueOf),d(O,"Symbol"),d(Math,"Math",!0),d(r.JSON,"JSON",!0)},function(t,e,i){var r=i(36)("meta"),n=i(32),a=i(22),o=i(18).f,s=0,l=Object.isExtensible||function(){return!0},u=!i(27)(function(){return l(Object.preventExtensions({}))}),c=function(t){o(t,r,{value:{i:"O"+ ++s,w:{}}})},d=function(t,e){if(!n(t))return"symbol"==typeof t?t:("string"==typeof t?"S":"P")+t;if(!a(t,r)){if(!l(t))return"F";if(!e)return"E";c(t)}return t[r].i},h=function(t,e){if(!a(t,r)){if(!l(t))return!0;if(!e)return!1;c(t)}return t[r].w},f=function(t){return u&&p.NEED&&l(t)&&!a(t,r)&&c(t),t},p=t.exports={KEY:r,NEED:!1,fastKey:d,getWeak:h,onFreeze:f}},function(t,e,i){var r=i(28),n=i(19);t.exports=function(t,e){for(var i,a=n(t),o=r(a),s=o.length,l=0;s>l;)if(a[i=o[l++]]===e)return i}},function(t,e,i){var r=i(28),n=i(52),a=i(37);t.exports=function(t){var e=r(t),i=n.f;if(i)for(var o,s=i(t),l=a.f,u=0;s.length>u;)l.call(t,o=s[u++])&&e.push(o);return e}},function(t,e,i){var r=i(46);t.exports=Array.isArray||function(t){return"Array"==r(t)}},function(t,e,i){var r=i(19),n=i(74).f,a={}.toString,o="object"==typeof window&&window&&Object.getOwnPropertyNames?Object.getOwnPropertyNames(window):[],s=function(t){try{return n(t)}catch(t){return o.slice()}};t.exports.f=function(t){return o&&"[object Window]"==a.call(t)?s(t):n(r(t))}},function(t,e){},function(t,e,i){i(58)("asyncIterator")},function(t,e,i){i(58)("observable")},function(t,e,i){i(133);var r=i(11).Object;t.exports=function(t,e,i){return r.defineProperty(t,e,i)}},function(t,e,i){var r=i(16);r(r.S+r.F*!i(21),"Object",{defineProperty:i(18).f})},function(t,e,i){t.exports={default:i(135),__esModule:!0}},function(t,e,i){i(136),t.exports=i(11).Object.setPrototypeOf},function(t,e,i){var r=i(16);r(r.S,"Object",{setPrototypeOf:i(137).set})},function(t,e,i){var r=i(32),n=i(26),a=function(t,e){if(n(t),!r(e)&&null!==e)throw TypeError(e+": can't set as prototype!")};t.exports={set:Object.setPrototypeOf||("__proto__"in{}?function(t,e,r){try{r=i(44)(Function.call,i(59).f(Object.prototype,"__proto__").set,2),r(t,[]),e=!(t instanceof Array)}catch(t){e=!0}return function(t,i){return a(t,i),e?t.__proto__=i:r(t,i),t}}({},!1):void 0),check:a}},function(t,e,i){i(139);var r=i(11).Object;t.exports=function(t,e){return r.create(t,e)}},function(t,e,i){var r=i(16);r(r.S,"Object",{create:i(55)})},function(t,e,i){t.exports={default:i(141),__esModule:!0}},function(t,e,i){i(142);var r=i(11).Object;t.exports=function(t,e){return r.getOwnPropertyDescriptor(t,e)}},function(t,e,i){var r=i(19),n=i(59).f;i(70)("getOwnPropertyDescriptor",function(){return function(t,e){return n(r(t),e)}})},function(t,e,i){"use strict";Array.prototype.find||Object.defineProperty(Array.prototype,"find",{value:function(t){if(null==this)throw new TypeError('"this" is null or not defined');var e=Object(this),i=e.length>>>0;if("function"!=typeof t)throw new TypeError("predicate must be a function");for(var r=arguments[1],n=0;n<i;){var a=e[n];if(t.call(r,a,n,e))return a;n++}}})},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0}),e.getDevice=e.getViewportSize=e.getOsData=e.getBrowserData=e.getBrowserInfo=void 0;var n=i(6),a=r(n),o=i(145),s=r(o),l=i(146),u=r(l),c={},d=e.getBrowserInfo=function(t){var e=t.match(/\b(playstation 4|nx|opera|chrome|safari|firefox|msie|trident(?=\/))\/?\s*(\d+)/i)||[],i=void 0;if(/trident/i.test(e[1]))return i=/\brv[ :]+(\d+)/g.exec(t)||[],{name:"IE",version:parseInt(i[1]||"")};if("Chrome"===e[1]){if(null!=(i=t.match(/\bOPR\/(\d+)/)))return{name:"Opera",version:parseInt(i[1])};if(null!=(i=t.match(/\bEdge\/(\d+)/)))return{name:"Edge",version:parseInt(i[1])}}else/android/i.test(t)&&(i=t.match(/version\/(\d+)/i))&&(e.splice(1,1,"Android WebView"),e.splice(2,1,i[1]));return e=e[2]?[e[1],e[2]]:[navigator.appName,navigator.appVersion,"-?"],{name:e[0],version:parseInt(e[1])}},h=e.getBrowserData=function(){var t={},e=c.userAgent.toLowerCase();for(var i in s.default){var r=new RegExp(s.default[i].identifier.toLowerCase()),n=r.exec(e);if(null!=n&&n[1]){if(t.name=s.default[i].name,t.group=s.default[i].group,s.default[i].versionIdentifier){var a=new RegExp(s.default[i].versionIdentifier.toLowerCase()),o=a.exec(e);null!=o&&o[1]&&f(o[1],t)}else f(n[1],t);break}}return t},f=function(t,e){var i=t.split(".",2);e.fullVersion=t,i[0]&&(e.majorVersion=parseInt(i[0])),i[1]&&(e.minorVersion=parseInt(i[1]))},p=e.getOsData=function(){var t={},e=c.userAgent.toLowerCase();for(var i in u.default){var r=new RegExp(u.default[i].identifier.toLowerCase()),n=r.exec(e);if(null!=n){if(t.name=u.default[i].name,t.group=u.default[i].group,u.default[i].version)g(u.default[i].version,u.default[i].versionSeparator?u.default[i].versionSeparator:".",t);else if(n[1])g(n[1],u.default[i].versionSeparator?u.default[i].versionSeparator:".",t);else if(u.default[i].versionIdentifier){var a=new RegExp(u.default[i].versionIdentifier.toLowerCase()),o=a.exec(e);null!=o&&o[1]&&g(o[1],u.default[i].versionSeparator?u.default[i].versionSeparator:".",t)}break}}return t},g=function(t,e,i){var r="["==e.substr(0,1)?new RegExp(e,"g"):e,n=t.split(r,2);"."!=e&&(t=t.replace(new RegExp(e,"g"),".")),i.fullVersion=t,n&&n[0]&&(i.majorVersion=parseInt(n[0])),n&&n[1]&&(i.minorVersion=parseInt(n[1]))},y=e.getViewportSize=function(){var t={};return t.width=(0,a.default)(window).width(),t.height=(0,a.default)(window).height(),t},v=e.getDevice=function(t){var e=/\((iP(?:hone|ad|od))?(?:[^;]*; ){0,2}([^)]+(?=\)))/,i=e.exec(t);return i&&(i[1]||i[2])||""},m=d(navigator.userAgent);c.isEdge=/edge/i.test(navigator.userAgent),c.isChrome=/chrome|CriOS/i.test(navigator.userAgent)&&!c.isEdge,c.isSafari=/safari/i.test(navigator.userAgent)&&!c.isChrome&&!c.isEdge,c.isFirefox=/firefox/i.test(navigator.userAgent),c.isLegacyIE=!!window.ActiveXObject,c.isIE=c.isLegacyIE||/trident.*rv:1\d/i.test(navigator.userAgent),c.isIE11=/trident.*rv:11/i.test(navigator.userAgent),c.isChromecast=c.isChrome&&/CrKey/i.test(navigator.userAgent),c.isMobile=/Android|webOS|iPhone|iPad|iPod|BlackBerry|Windows Phone|IEMobile|Mobile Safari|Opera Mini/i.test(navigator.userAgent),c.isiOS=/iPad|iPhone|iPod/i.test(navigator.userAgent),c.isAndroid=/Android/i.test(navigator.userAgent),c.isWindowsPhone=/Windows Phone/i.test(navigator.userAgent),c.isWin8App=/MSAppHost/i.test(navigator.userAgent),c.isWiiU=/WiiU/i.test(navigator.userAgent),c.isPS4=/PlayStation 4/i.test(navigator.userAgent),c.hasLocalstorage=function(){try{return localStorage.setItem("clappr","clappr"),localStorage.removeItem("clappr"),!0}catch(t){return!1}}(),c.hasFlash=function(){try{return!!new ActiveXObject("ShockwaveFlash.ShockwaveFlash")}catch(t){return!(!navigator.mimeTypes||void 0===navigator.mimeTypes["application/x-shockwave-flash"]||!navigator.mimeTypes["application/x-shockwave-flash"].enabledPlugin)}}(),c.name=m.name,c.version=m.version,c.userAgent=navigator.userAgent,c.data=h(),c.os=p(),c.viewport=y(),c.device=v(c.userAgent),void 0!==window.orientation&&function(){switch(window.orientation){case-90:case 90:c.viewport.orientation="landscape";break;default:c.viewport.orientation="portrait"}}(),e.default=c},function(t,e,i){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r=[{name:"Chromium",group:"Chrome",identifier:"Chromium/([0-9.]*)"},{name:"Chrome Mobile",group:"Chrome",identifier:"Chrome/([0-9.]*) Mobile",versionIdentifier:"Chrome/([0-9.]*)"},{name:"Chrome",group:"Chrome",identifier:"Chrome/([0-9.]*)"},{name:"Chrome for iOS",group:"Chrome",identifier:"CriOS/([0-9.]*)"},{name:"Android Browser",group:"Chrome",identifier:"CrMo/([0-9.]*)"},{name:"Firefox",group:"Firefox",identifier:"Firefox/([0-9.]*)"},{name:"Opera Mini",group:"Opera",identifier:"Opera Mini/([0-9.]*)"},{name:"Opera",group:"Opera",identifier:"Opera ([0-9.]*)"},{name:"Opera",group:"Opera",identifier:"Opera/([0-9.]*)",versionIdentifier:"Version/([0-9.]*)"},{name:"IEMobile",group:"Explorer",identifier:"IEMobile/([0-9.]*)"},{name:"Internet Explorer",group:"Explorer",identifier:"MSIE ([a-zA-Z0-9.]*)"},{name:"Internet Explorer",group:"Explorer",identifier:"Trident/([0-9.]*)",versionIdentifier:"rv:([0-9.]*)"},{name:"Spartan",group:"Spartan",identifier:"Edge/([0-9.]*)",versionIdentifier:"Edge/([0-9.]*)"},{name:"Safari",group:"Safari",identifier:"Safari/([0-9.]*)",versionIdentifier:"Version/([0-9.]*)"}];e.default=r,t.exports=e.default},function(t,e,i){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r=[{name:"Windows 2000",group:"Windows",identifier:"Windows NT 5.0",version:"5.0"},{name:"Windows XP",group:"Windows",identifier:"Windows NT 5.1",version:"5.1"},{name:"Windows Vista",group:"Windows",identifier:"Windows NT 6.0",version:"6.0"},{name:"Windows 7",group:"Windows",identifier:"Windows NT 6.1",version:"7.0"},{name:"Windows 8",group:"Windows",identifier:"Windows NT 6.2",version:"8.0"},{name:"Windows 8.1",group:"Windows",identifier:"Windows NT 6.3",version:"8.1"},{name:"Windows 10",group:"Windows",identifier:"Windows NT 10.0",version:"10.0"},{name:"Windows Phone",group:"Windows Phone",identifier:"Windows Phone ([0-9.]*)"},{name:"Windows Phone",group:"Windows Phone",identifier:"Windows Phone OS ([0-9.]*)"},{name:"Windows",group:"Windows",identifier:"Windows"},{name:"Chrome OS",group:"Chrome OS",identifier:"CrOS"},{name:"Android",group:"Android",identifier:"Android",versionIdentifier:"Android ([a-zA-Z0-9.-]*)"},{name:"iPad",group:"iOS",identifier:"iPad",versionIdentifier:"OS ([0-9_]*)",versionSeparator:"[_|.]"},{name:"iPod",group:"iOS",identifier:"iPod",versionIdentifier:"OS ([0-9_]*)",versionSeparator:"[_|.]"},{name:"iPhone",group:"iOS",identifier:"iPhone OS",versionIdentifier:"OS ([0-9_]*)",versionSeparator:"[_|.]"},{name:"Mac OS X High Sierra",group:"Mac OS",identifier:"Mac OS X (10([_|.])13([0-9_.]*))",versionSeparator:"[_|.]"},{name:"Mac OS X Sierra",group:"Mac OS",identifier:"Mac OS X (10([_|.])12([0-9_.]*))",versionSeparator:"[_|.]"},{name:"Mac OS X El Capitan",group:"Mac OS",identifier:"Mac OS X (10([_|.])11([0-9_.]*))",versionSeparator:"[_|.]"},{name:"Mac OS X Yosemite",group:"Mac OS",identifier:"Mac OS X (10([_|.])10([0-9_.]*))",versionSeparator:"[_|.]"},{name:"Mac OS X Mavericks",group:"Mac OS",identifier:"Mac OS X (10([_|.])9([0-9_.]*))",versionSeparator:"[_|.]"},{name:"Mac OS X Mountain Lion",group:"Mac OS",identifier:"Mac OS X (10([_|.])8([0-9_.]*))",versionSeparator:"[_|.]"},{name:"Mac OS X Lion",group:"Mac OS",identifier:"Mac OS X (10([_|.])7([0-9_.]*))",versionSeparator:"[_|.]"},{name:"Mac OS X Snow Leopard",group:"Mac OS",identifier:"Mac OS X (10([_|.])6([0-9_.]*))",versionSeparator:"[_|.]"},{name:"Mac OS X Leopard",group:"Mac OS",identifier:"Mac OS X (10([_|.])5([0-9_.]*))",versionSeparator:"[_|.]"},{name:"Mac OS X Tiger",group:"Mac OS",identifier:"Mac OS X (10([_|.])4([0-9_.]*))",versionSeparator:"[_|.]"},{name:"Mac OS X Panther",group:"Mac OS",identifier:"Mac OS X (10([_|.])3([0-9_.]*))",versionSeparator:"[_|.]"},{name:"Mac OS X Jaguar",group:"Mac OS",identifier:"Mac OS X (10([_|.])2([0-9_.]*))",versionSeparator:"[_|.]"},{name:"Mac OS X Puma",group:"Mac OS",identifier:"Mac OS X (10([_|.])1([0-9_.]*))",versionSeparator:"[_|.]"},{name:"Mac OS X Cheetah",group:"Mac OS",identifier:"Mac OS X (10([_|.])0([0-9_.]*))",versionSeparator:"[_|.]"},{name:"Mac OS",group:"Mac OS",identifier:"Mac OS"},{name:"Ubuntu",group:"Linux",identifier:"Ubuntu",versionIdentifier:"Ubuntu/([0-9.]*)"},{name:"Debian",group:"Linux",identifier:"Debian"},{name:"Gentoo",group:"Linux",identifier:"Gentoo"},{name:"Linux",group:"Linux",identifier:"Linux"},{name:"BlackBerry",group:"BlackBerry",identifier:"BlackBerry"}];e.default=r,t.exports=e.default},function(t,e,i){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r=e.mp4="data:video/mp4;base64,AAAAHGZ0eXBpc29tAAACAGlzb21pc28ybXA0MQAAAAhmcmVlAAAC721kYXQhEAUgpBv/wAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA3pwAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAcCEQBSCkG//AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADengAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAcAAAAsJtb292AAAAbG12aGQAAAAAAAAAAAAAAAAAAAPoAAAALwABAAABAAAAAAAAAAAAAAAAAQAAAAAAAAAAAAAAAAAAAAEAAAAAAAAAAAAAAAAAAEAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADAAAB7HRyYWsAAABcdGtoZAAAAAMAAAAAAAAAAAAAAAIAAAAAAAAALwAAAAAAAAAAAAAAAQEAAAAAAQAAAAAAAAAAAAAAAAAAAAEAAAAAAAAAAAAAAAAAAEAAAAAAAAAAAAAAAAAAACRlZHRzAAAAHGVsc3QAAAAAAAAAAQAAAC8AAAAAAAEAAAAAAWRtZGlhAAAAIG1kaGQAAAAAAAAAAAAAAAAAAKxEAAAIAFXEAAAAAAAtaGRscgAAAAAAAAAAc291bgAAAAAAAAAAAAAAAFNvdW5kSGFuZGxlcgAAAAEPbWluZgAAABBzbWhkAAAAAAAAAAAAAAAkZGluZgAAABxkcmVmAAAAAAAAAAEAAAAMdXJsIAAAAAEAAADTc3RibAAAAGdzdHNkAAAAAAAAAAEAAABXbXA0YQAAAAAAAAABAAAAAAAAAAAAAgAQAAAAAKxEAAAAAAAzZXNkcwAAAAADgICAIgACAASAgIAUQBUAAAAAAfQAAAHz+QWAgIACEhAGgICAAQIAAAAYc3R0cwAAAAAAAAABAAAAAgAABAAAAAAcc3RzYwAAAAAAAAABAAAAAQAAAAIAAAABAAAAHHN0c3oAAAAAAAAAAAAAAAIAAAFzAAABdAAAABRzdGNvAAAAAAAAAAEAAAAsAAAAYnVkdGEAAABabWV0YQAAAAAAAAAhaGRscgAAAAAAAAAAbWRpcmFwcGwAAAAAAAAAAAAAAAAtaWxzdAAAACWpdG9vAAAAHWRhdGEAAAABAAAAAExhdmY1Ni40MC4xMDE=";e.default={mp4:r}},function(t,e,i){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r=i(0),n=function(t){return t&&t.__esModule?t:{default:t}}(r),a=i(60),o="font-weight: bold; font-size: 13px;",s="color: #ff8000;"+o,l="color: #ff0000;"+o,u=1,c=3,d=["color: #0000ff;font-weight: bold; font-size: 13px;","color: #006600;font-weight: bold; font-size: 13px;",s,l,l],h=["debug","info","warn","error","disabled"],f=function(){function t(){var e=this,i=arguments.length>0&&void 0!==arguments[0]?arguments[0]:u,r=arguments.length>1&&void 0!==arguments[1]?arguments[1]:c;(0,n.default)(this,t),this.kibo=new a.Kibo,this.kibo.down(["ctrl shift d"],function(){return e.onOff()}),this.BLACKLIST=["timeupdate","playback:timeupdate","playback:progress","container:hover","container:timeupdate","container:progress"],this.level=i,this.offLevel=r}return t.prototype.debug=function(t){this.log(t,0,Array.prototype.slice.call(arguments,1))},t.prototype.info=function(t){this.log(t,u,Array.prototype.slice.call(arguments,1))},t.prototype.warn=function(t){this.log(t,2,Array.prototype.slice.call(arguments,1))},t.prototype.error=function(t){this.log(t,3,Array.prototype.slice.call(arguments,1))},t.prototype.onOff=function(){this.level===this.offLevel?this.level=this.previousLevel:(this.previousLevel=this.level,this.level=this.offLevel),window.console&&window.console.log&&window.console.log("%c[Clappr.Log] set log level to "+h[this.level],s)},t.prototype.level=function(t){this.level=t},t.prototype.log=function(t,e,i){if(!(this.BLACKLIST.indexOf(i[0])>=0||e<this.level)){i||(i=t,t=null);var r=d[e],n="";t&&(n="["+t+"]"),window.console&&window.console.log&&window.console.log.apply(console,["%c["+h[e]+"]"+n,r].concat(i))}},t}();e.default=f,f.LEVEL_DEBUG=0,f.LEVEL_INFO=u,f.LEVEL_WARN=2,f.LEVEL_ERROR=3,f.getInstance=function(){return void 0===this._instance&&(this._instance=new this,this._instance.previousLevel=this._instance.level,this._instance.level=this._instance.offLevel),this._instance},f.setLevel=function(t){this.getInstance().level=t},f.debug=function(){this.getInstance().debug.apply(this.getInstance(),arguments)},f.info=function(){this.getInstance().info.apply(this.getInstance(),arguments)},f.warn=function(){this.getInstance().warn.apply(this.getInstance(),arguments)},f.error=function(){this.getInstance().error.apply(this.getInstance(),arguments)},t.exports=e.default},function(t,e,i){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r=function(t){this.element=t||window.document,this.initialize()};r.KEY_NAMES_BY_CODE={8:"backspace",9:"tab",13:"enter",16:"shift",17:"ctrl",18:"alt",20:"caps_lock",27:"esc",32:"space",37:"left",38:"up",39:"right",40:"down",48:"0",49:"1",50:"2",51:"3",52:"4",53:"5",54:"6",55:"7",56:"8",57:"9",65:"a",66:"b",67:"c",68:"d",69:"e",70:"f",71:"g",72:"h",73:"i",74:"j",75:"k",76:"l",77:"m",78:"n",79:"o",80:"p",81:"q",82:"r",83:"s",84:"t",85:"u",86:"v",87:"w",88:"x",89:"y",90:"z",112:"f1",113:"f2",114:"f3",115:"f4",116:"f5",117:"f6",118:"f7",119:"f8",120:"f9",121:"f10",122:"f11",123:"f12"},r.KEY_CODES_BY_NAME={},function(){for(var t in r.KEY_NAMES_BY_CODE)Object.prototype.hasOwnProperty.call(r.KEY_NAMES_BY_CODE,t)&&(r.KEY_CODES_BY_NAME[r.KEY_NAMES_BY_CODE[t]]=+t)}(),r.MODIFIERS=["shift","ctrl","alt"],r.registerEvent=function(){return document.addEventListener?function(t,e,i){t.addEventListener(e,i,!1)}:document.attachEvent?function(t,e,i){t.attachEvent("on"+e,i)}:void 0}(),r.unregisterEvent=function(){return document.removeEventListener?function(t,e,i){t.removeEventListener(e,i,!1)}:document.detachEvent?function(t,e,i){t.detachEvent("on"+e,i)}:void 0}(),r.stringContains=function(t,e){return-1!==t.indexOf(e)},r.neatString=function(t){return t.replace(/^\s+|\s+$/g,"").replace(/\s+/g," ")},r.capitalize=function(t){return t.toLowerCase().replace(/^./,function(t){return t.toUpperCase()})},r.isString=function(t){return r.stringContains(Object.prototype.toString.call(t),"String")},r.arrayIncludes=function(){return Array.prototype.indexOf?function(t,e){return-1!==t.indexOf(e)}:function(t,e){for(var i=0;i<t.length;i++)if(t[i]===e)return!0;return!1}}(),r.extractModifiers=function(t){var e,i;for(e=[],i=0;i<r.MODIFIERS.length;i++)r.stringContains(t,r.MODIFIERS[i])&&e.push(r.MODIFIERS[i]);return e},r.extractKey=function(t){var e,i;for(e=r.neatString(t).split(" "),i=0;i<e.length;i++)if(!r.arrayIncludes(r.MODIFIERS,e[i]))return e[i]},r.modifiersAndKey=function(t){var e,i;return r.stringContains(t,"any")?r.neatString(t).split(" ").slice(0,2).join(" "):(e=r.extractModifiers(t),i=r.extractKey(t),i&&!r.arrayIncludes(r.MODIFIERS,i)&&e.push(i),e.join(" "))},r.keyName=function(t){return r.KEY_NAMES_BY_CODE[t+""]},r.keyCode=function(t){return+r.KEY_CODES_BY_NAME[t]},r.prototype.initialize=function(){var t,e=this;for(this.lastKeyCode=-1,this.lastModifiers={},t=0;t<r.MODIFIERS.length;t++)this.lastModifiers[r.MODIFIERS[t]]=!1;this.keysDown={any:[]},this.keysUp={any:[]},this.downHandler=this.handler("down"),this.upHandler=this.handler("up"),r.registerEvent(this.element,"keydown",this.downHandler),r.registerEvent(this.element,"keyup",this.upHandler),r.registerEvent(window,"unload",function t(){r.unregisterEvent(e.element,"keydown",e.downHandler),r.unregisterEvent(e.element,"keyup",e.upHandler),r.unregisterEvent(window,"unload",t)})},r.prototype.handler=function(t){var e=this;return function(i){var n,a,o;for(i=i||window.event,e.lastKeyCode=i.keyCode,n=0;n<r.MODIFIERS.length;n++)e.lastModifiers[r.MODIFIERS[n]]=i[r.MODIFIERS[n]+"Key"];for(r.arrayIncludes(r.MODIFIERS,r.keyName(e.lastKeyCode))&&(e.lastModifiers[r.keyName(e.lastKeyCode)]=!0),a=e["keys"+r.capitalize(t)],n=0;n<a.any.length;n++)!1===a.any[n](i)&&i.preventDefault&&i.preventDefault();if(o=e.lastModifiersAndKey(),a[o])for(n=0;n<a[o].length;n++)!1===a[o][n](i)&&i.preventDefault&&i.preventDefault()}},r.prototype.registerKeys=function(t,e,i){var n,a,o=this["keys"+r.capitalize(t)];for(r.isString(e)&&(e=[e]),n=0;n<e.length;n++)a=e[n],a=r.modifiersAndKey(a+""),o[a]?o[a].push(i):o[a]=[i];return this},r.prototype.unregisterKeys=function(t,e,i){var n,a,o,s=this["keys"+r.capitalize(t)];for(r.isString(e)&&(e=[e]),n=0;n<e.length;n++)if(o=e[n],o=r.modifiersAndKey(o+""),null===i)delete s[o];else if(s[o])for(a=0;a<s[o].length;a++)if(String(s[o][a])===String(i)){s[o].splice(a,1);break}return this},r.prototype.off=function(t){return this.unregisterKeys("down",t,null)},r.prototype.delegate=function(t,e,i){return null!==i||void 0!==i?this.registerKeys(t,e,i):this.unregisterKeys(t,e,i)},r.prototype.down=function(t,e){return this.delegate("down",t,e)},r.prototype.up=function(t,e){return this.delegate("up",t,e)},r.prototype.lastKey=function(t){return t?this.lastModifiers[t]:r.keyName(this.lastKeyCode)},r.prototype.lastModifiersAndKey=function(){var t,e;for(t=[],e=0;e<r.MODIFIERS.length;e++)this.lastKey(r.MODIFIERS[e])&&t.push(r.MODIFIERS[e]);return r.arrayIncludes(t,this.lastKey())||t.push(this.lastKey()),t.join(" ")},e.default=r,t.exports=e.default},function(t,e,i){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r=i(151),n=function(t){return t&&t.__esModule?t:{default:t}}(r);e.default=n.default,t.exports=e.default},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(0),a=r(n),o=i(1),s=r(o),l=i(3),u=r(l),c=i(2),d=r(c),h=i(15),f=r(h),p=i(77),g=r(p),y=function(t){function e(i){(0,a.default)(this,e);var r=(0,s.default)(this,t.call(this));return r.player=i,r._options=i.options,r}return(0,d.default)(e,t),(0,u.default)(e,[{key:"loader",get:function(){return this.player.loader}}]),e.prototype.create=function(){return this.options.loader=this.loader,this.core=new g.default(this.options),this.addCorePlugins(),this.core.createContainers(this.options),this.core},e.prototype.addCorePlugins=function(){var t=this;return this.loader.corePlugins.forEach(function(e){var i=new e(t.core);t.core.addPlugin(i),t.setupExternalInterface(i)}),this.core},e.prototype.setupExternalInterface=function(t){var e=t.getExternalInterface();for(var i in e)this.player[i]=e[i].bind(t),this.core[i]=e[i].bind(t)},e}(f.default);e.default=y,t.exports=e.default},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(12),a=r(n),o=i(0),s=r(o),l=i(1),u=r(l),c=i(3),d=r(c),h=i(2),f=r(h),p=i(5),g=i(78),y=r(g),v=i(4),m=r(v),A=i(30),b=r(A),_=i(23),E=r(_),T=i(14),S=r(T),L=i(153),R=r(L),k=i(31),w=r(k),C=i(40),I=r(C),O=i(24),D=r(O),P=i(20),x=r(P),M=i(6),N=r(M);i(159);var F=i(161),B=r(F),U=void 0,G=function(t){function e(i){(0,s.default)(this,e);var r=(0,u.default)(this,t.call(this,i));return r.playerError=new D.default(i,r),r.configureDomRecycler(),r.playerInfo=I.default.getInstance(i.playerId),r.firstResize=!0,r.plugins=[],r.containers=[],r._boundFullscreenHandler=function(){return r.handleFullscreenChange()},(0,N.default)(document).bind("fullscreenchange",r._boundFullscreenHandler),(0,N.default)(document).bind("MSFullscreenChange",r._boundFullscreenHandler),(0,N.default)(document).bind("mozfullscreenchange",r._boundFullscreenHandler),S.default.isMobile&&(0,N.default)(window).bind("resize",function(t){r.handleWindowResize(t)}),r}return(0,f.default)(e,t),(0,d.default)(e,[{key:"events",get:function(){return{webkitfullscreenchange:"handleFullscreenChange",mousemove:"onMouseMove",mouseleave:"onMouseLeave"}}},{key:"attributes",get:function(){return{"data-player":"",tabindex:9999}}},{key:"isReady",get:function(){return!!this.ready}},{key:"i18n",get:function(){return this.getPlugin("strings")||{t:function(t){return t}}}},{key:"mediaControl",get:function(){return this.getPlugin("media_control")||this.dummyMediaControl}},{key:"dummyMediaControl",get:function(){return this._dummyMediaControl?this._dummyMediaControl:(this._dummyMediaControl=new E.default(this),this._dummyMediaControl)}},{key:"activeContainer",get:function(){return this._activeContainer},set:function(t){this._activeContainer=t,this.trigger(m.default.CORE_ACTIVE_CONTAINER_CHANGED,this._activeContainer)}},{key:"activePlayback",get:function(){return this.activeContainer&&this.activeContainer.playback}}]),e.prototype.configureDomRecycler=function(){var t=this.options&&this.options.playback&&this.options.playback.recycleVideo;p.DomRecycler.configure({recycleVideo:t})},e.prototype.createContainers=function(t){this.defer=N.default.Deferred(),this.defer.promise(this),this.containerFactory=new R.default(t,t.loader,this.i18n,this.playerError),this.prepareContainers()},e.prototype.prepareContainers=function(){var t=this;this.containerFactory.createContainers().then(function(e){return t.setupContainers(e)}).then(function(e){return t.resolveOnContainersReady(e)})},e.prototype.updateSize=function(){p.Fullscreen.isFullscreen()?this.setFullscreen():this.setPlayerSize()},e.prototype.setFullscreen=function(){S.default.isiOS||(this.$el.addClass("fullscreen"),this.$el.removeAttr("style"),this.playerInfo.previousSize={width:this.options.width,height:this.options.height},this.playerInfo.currentSize={width:(0,N.default)(window).width(),height:(0,N.default)(window).height()})},e.prototype.setPlayerSize=function(){this.$el.removeClass("fullscreen"),this.playerInfo.currentSize=this.playerInfo.previousSize,this.playerInfo.previousSize={width:(0,N.default)(window).width(),height:(0,N.default)(window).height()},this.resize(this.playerInfo.currentSize)},e.prototype.resize=function(t){(0,p.isNumber)(t.height)||(0,p.isNumber)(t.width)?(this.el.style.height=t.height+"px",this.el.style.width=t.width+"px"):(this.el.style.height=""+t.height,this.el.style.width=""+t.width),this.playerInfo.previousSize={width:this.options.width,height:this.options.height},this.options.width=t.width,this.options.height=t.height,this.playerInfo.currentSize=t,this.triggerResize(this.playerInfo.currentSize)},e.prototype.enableResizeObserver=function(){var t=this,e=function(){t.triggerResize({width:t.el.clientWidth,height:t.el.clientHeight})};this.resizeObserverInterval=setInterval(e,500)},e.prototype.triggerResize=function(t){(this.firstResize||this.oldHeight!==t.height||this.oldWidth!==t.width)&&(this.oldHeight=t.height,this.oldWidth=t.width,this.playerInfo.computedSize=t,this.firstResize=!1,w.default.trigger(this.options.playerId+":"+m.default.PLAYER_RESIZE,t),this.trigger(m.default.CORE_RESIZE,t))},e.prototype.disableResizeObserver=function(){this.resizeObserverInterval&&clearInterval(this.resizeObserverInterval)},e.prototype.resolveOnContainersReady=function(t){var e=this;N.default.when.apply(N.default,t).done(function(){e.defer.resolve(e),e.ready=!0,e.trigger(m.default.CORE_READY)})},e.prototype.addPlugin=function(t){this.plugins.push(t)},e.prototype.hasPlugin=function(t){return!!this.getPlugin(t)},e.prototype.getPlugin=function(t){return this.plugins.filter(function(e){return e.name===t})[0]},e.prototype.load=function(t,e){this.options.mimeType=e,t=t&&t.constructor===Array?t:[t],this.options.sources=t,this.containers.forEach(function(t){return t.destroy()}),this.containerFactory.options=N.default.extend(this.options,{sources:t}),this.prepareContainers()},e.prototype.destroy=function(){this.disableResizeObserver(),this.containers.forEach(function(t){return t.destroy()}),this.plugins.forEach(function(t){return t.destroy()}),this.$el.remove(),(0,N.default)(document).unbind("fullscreenchange",this._boundFullscreenHandler),(0,N.default)(document).unbind("MSFullscreenChange",this._boundFullscreenHandler),(0,N.default)(document).unbind("mozfullscreenchange",this._boundFullscreenHandler),this.stopListening()},e.prototype.handleFullscreenChange=function(){this.trigger(m.default.CORE_FULLSCREEN,p.Fullscreen.isFullscreen()),this.updateSize()},e.prototype.handleWindowResize=function(t){var e=window.innerWidth>window.innerHeight?"landscape":"portrait";this._screenOrientation!==e&&(this._screenOrientation=e,this.triggerResize({width:this.el.clientWidth,height:this.el.clientHeight}),this.trigger(m.default.CORE_SCREEN_ORIENTATION_CHANGED,{event:t,orientation:this._screenOrientation}))},e.prototype.removeContainer=function(t){this.stopListening(t),this.containers=this.containers.filter(function(e){return e!==t})},e.prototype.setupContainer=function(t){this.listenTo(t,m.default.CONTAINER_DESTROYED,this.removeContainer),this.containers.push(t)},e.prototype.setupContainers=function(t){return t.forEach(this.setupContainer.bind(this)),this.trigger(m.default.CORE_CONTAINERS_CREATED),this.renderContainers(),this.activeContainer=t[0],this.render(),this.appendToParent(),this.containers},e.prototype.renderContainers=function(){var t=this;this.containers.forEach(function(e){return t.el.appendChild(e.render().el)})},e.prototype.createContainer=function(t,e){var i=this.containerFactory.createContainer(t,e);return this.setupContainer(i),this.el.appendChild(i.render().el),i},e.prototype.getCurrentContainer=function(){return this.activeContainer},e.prototype.getCurrentPlayback=function(){return this.activePlayback},e.prototype.getPlaybackType=function(){return this.activeContainer&&this.activeContainer.getPlaybackType()},e.prototype.toggleFullscreen=function(){p.Fullscreen.isFullscreen()?(p.Fullscreen.cancelFullscreen(),!S.default.isiOS&&this.$el.removeClass("fullscreen nocursor")):(p.Fullscreen.requestFullscreen(S.default.isiOS?this.activeContainer.el:this.el),!S.default.isiOS&&this.$el.addClass("fullscreen"))},e.prototype.onMouseMove=function(t){this.trigger(m.default.CORE_MOUSE_MOVE,t)},e.prototype.onMouseLeave=function(t){this.trigger(m.default.CORE_MOUSE_LEAVE,t)},e.prototype.configure=function(t){var e=this;this._options=N.default.extend(this._options,t),this.configureDomRecycler();var i=t.source||t.sources;i&&this.load(i,t.mimeType||this.options.mimeType),this.trigger(m.default.CORE_OPTIONS_CHANGE),this.containers.forEach(function(t){return t.configure(e.options)})},e.prototype.appendToParent=function(){!(this.$el.parent()&&this.$el.parent().length)&&this.$el.appendTo(this.options.parentElement)},e.prototype.render=function(){U||(U=y.default.getStyleFor(B.default,{baseUrl:this.options.baseUrl})),(0,N.default)("head").append(U),this.options.width=this.options.width||this.$el.width(),this.options.height=this.options.height||this.$el.height();var t={width:this.options.width,height:this.options.height};return this.playerInfo.previousSize=this.playerInfo.currentSize=this.playerInfo.computedSize=t,this.updateSize(),this.previousSize={width:this.$el.width(),height:this.$el.height()},this.enableResizeObserver(),this},e}(b.default);e.default=G,(0,a.default)(G.prototype,x.default),t.exports=e.default},function(t,e,i){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r=i(154),n=function(t){return t&&t.__esModule?t:{default:t}}(r);e.default=n.default,t.exports=e.default},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(39),a=r(n),o=i(0),s=r(o),l=i(1),u=r(l),c=i(3),d=r(c),h=i(2),f=r(h),p=i(15),g=r(p),y=i(4),v=r(y),m=i(80),A=r(m),b=i(6),_=r(b),E=function(t){function e(i,r,n,a){(0,s.default)(this,e);var o=(0,u.default)(this,t.call(this,i));return o._i18n=n,o.loader=r,o.playerError=a,o}return(0,f.default)(e,t),(0,d.default)(e,[{key:"options",get:function(){return this._options},set:function(t){this._options=t}}]),e.prototype.createContainers=function(){var t=this;return _.default.Deferred(function(e){e.resolve(t.options.sources.map(function(e){return t.createContainer(e)}))})},e.prototype.findPlaybackPlugin=function(t,e){return this.loader.playbackPlugins.filter(function(i){return i.canPlay(t,e)})[0]},e.prototype.createContainer=function(t){var e=null,i=this.options.mimeType;"object"===(void 0===t?"undefined":(0,a.default)(t))?(e=t.source.toString(),t.mimeType&&(i=t.mimeType)):e=t.toString(),e.match(/^\/\//)&&(e=window.location.protocol+e);var r=_.default.extend({},this.options,{src:e,mimeType:i}),n=this.findPlaybackPlugin(e,i),o=new n(r,this._i18n,this.playerError);r=_.default.extend({},r,{playback:o});var s=new A.default(r,this._i18n,this.playerError),l=_.default.Deferred();return l.promise(s),this.addContainerPlugins(s),this.listenToOnce(s,v.default.CONTAINER_READY,function(){return l.resolve(s)}),s},e.prototype.addContainerPlugins=function(t){this.loader.containerPlugins.forEach(function(e){t.addPlugin(new e(t))})},e}(g.default);e.default=E,t.exports=e.default},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(12),a=r(n),o=i(0),s=r(o),l=i(1),u=r(l),c=i(3),d=r(c),h=i(2),f=r(h),p=i(4),g=r(p),y=i(30),v=r(y),m=i(20),A=r(m);i(156);var b=i(6),_=r(b),E=function(t){function e(i,r,n){(0,s.default)(this,e);var a=(0,u.default)(this,t.call(this,i));return a._i18n=r,a.currentTime=0,a.volume=100,a.playback=i.playback,a.playerError=n,a.settings=_.default.extend({},a.playback.settings),a.isReady=!1,a.mediaControlDisabled=!1,a.plugins=[a.playback],a.bindEvents(),a}return(0,f.default)(e,t),(0,d.default)(e,[{key:"name",get:function(){return"Container"}},{key:"attributes",get:function(){return{class:"container","data-container":""}}},{key:"events",get:function(){return{click:"clicked",dblclick:"dblClicked",doubleTap:"dblClicked",contextmenu:"onContextMenu",mouseenter:"mouseEnter",mouseleave:"mouseLeave"}}},{key:"ended",get:function(){return this.playback.ended}},{key:"buffering",get:function(){return this.playback.buffering}},{key:"i18n",get:function(){return this._i18n}},{key:"hasClosedCaptionsTracks",get:function(){return this.playback.hasClosedCaptionsTracks}},{key:"closedCaptionsTracks",get:function(){return this.playback.closedCaptionsTracks}},{key:"closedCaptionsTrackId",get:function(){return this.playback.closedCaptionsTrackId},set:function(t){this.playback.closedCaptionsTrackId=t}}]),e.prototype.bindEvents=function(){this.listenTo(this.playback,g.default.PLAYBACK_PROGRESS,this.progress),this.listenTo(this.playback,g.default.PLAYBACK_TIMEUPDATE,this.timeUpdated),this.listenTo(this.playback,g.default.PLAYBACK_READY,this.ready),this.listenTo(this.playback,g.default.PLAYBACK_BUFFERING,this.onBuffering),this.listenTo(this.playback,g.default.PLAYBACK_BUFFERFULL,this.bufferfull),this.listenTo(this.playback,g.default.PLAYBACK_SETTINGSUPDATE,this.settingsUpdate),this.listenTo(this.playback,g.default.PLAYBACK_LOADEDMETADATA,this.loadedMetadata),this.listenTo(this.playback,g.default.PLAYBACK_HIGHDEFINITIONUPDATE,this.highDefinitionUpdate),this.listenTo(this.playback,g.default.PLAYBACK_BITRATE,this.updateBitrate),this.listenTo(this.playback,g.default.PLAYBACK_PLAYBACKSTATE,this.playbackStateChanged),this.listenTo(this.playback,g.default.PLAYBACK_DVR,this.playbackDvrStateChanged),this.listenTo(this.playback,g.default.PLAYBACK_MEDIACONTROL_DISABLE,this.disableMediaControl),this.listenTo(this.playback,g.default.PLAYBACK_MEDIACONTROL_ENABLE,this.enableMediaControl),this.listenTo(this.playback,g.default.PLAYBACK_SEEKED,this.onSeeked),this.listenTo(this.playback,g.default.PLAYBACK_ENDED,this.onEnded),this.listenTo(this.playback,g.default.PLAYBACK_PLAY,this.playing),this.listenTo(this.playback,g.default.PLAYBACK_PAUSE,this.paused),this.listenTo(this.playback,g.default.PLAYBACK_STOP,this.stopped),this.listenTo(this.playback,g.default.PLAYBACK_ERROR,this.error),this.listenTo(this.playback,g.default.PLAYBACK_SUBTITLE_AVAILABLE,this.subtitleAvailable),this.listenTo(this.playback,g.default.PLAYBACK_SUBTITLE_CHANGED,this.subtitleChanged)},e.prototype.subtitleAvailable=function(){this.trigger(g.default.CONTAINER_SUBTITLE_AVAILABLE)},e.prototype.subtitleChanged=function(t){this.trigger(g.default.CONTAINER_SUBTITLE_CHANGED,t)},e.prototype.playbackStateChanged=function(t){this.trigger(g.default.CONTAINER_PLAYBACKSTATE,t)},e.prototype.playbackDvrStateChanged=function(t){this.settings=this.playback.settings,this.dvrInUse=t,this.trigger(g.default.CONTAINER_PLAYBACKDVRSTATECHANGED,t)},e.prototype.updateBitrate=function(t){this.trigger(g.default.CONTAINER_BITRATE,t)},e.prototype.statsReport=function(t){this.trigger(g.default.CONTAINER_STATS_REPORT,t)},e.prototype.getPlaybackType=function(){return this.playback.getPlaybackType()},e.prototype.isDvrEnabled=function(){return!!this.playback.dvrEnabled},e.prototype.isDvrInUse=function(){return!!this.dvrInUse},e.prototype.destroy=function(){this.trigger(g.default.CONTAINER_DESTROYED,this,this.name),this.stopListening(),this.plugins.forEach(function(t){return t.destroy()}),this.$el.remove()},e.prototype.setStyle=function(t){this.$el.css(t)},e.prototype.animate=function(t,e){return this.$el.animate(t,e).promise()},e.prototype.ready=function(){this.isReady=!0,this.trigger(g.default.CONTAINER_READY,this.name)},e.prototype.isPlaying=function(){return this.playback.isPlaying()},e.prototype.getStartTimeOffset=function(){return this.playback.getStartTimeOffset()},e.prototype.getCurrentTime=function(){return this.currentTime},e.prototype.getDuration=function(){return this.playback.getDuration()},e.prototype.error=function(t){this.isReady||this.ready(),this.trigger(g.default.CONTAINER_ERROR,t,this.name)},e.prototype.loadedMetadata=function(t){this.trigger(g.default.CONTAINER_LOADEDMETADATA,t)},e.prototype.timeUpdated=function(t){this.currentTime=t.current,this.trigger(g.default.CONTAINER_TIMEUPDATE,t,this.name)},e.prototype.progress=function(){for(var t=arguments.length,e=Array(t),i=0;i<t;i++)e[i]=arguments[i];this.trigger.apply(this,[g.default.CONTAINER_PROGRESS].concat(e,[this.name]))},e.prototype.playing=function(){this.trigger(g.default.CONTAINER_PLAY,this.name)},e.prototype.paused=function(){this.trigger(g.default.CONTAINER_PAUSE,this.name)},e.prototype.play=function(){this.playback.play()},e.prototype.stop=function(){this.playback.stop(),this.currentTime=0},e.prototype.pause=function(){this.playback.pause()},e.prototype.onEnded=function(){this.trigger(g.default.CONTAINER_ENDED,this,this.name),this.currentTime=0},e.prototype.stopped=function(){this.trigger(g.default.CONTAINER_STOP)},e.prototype.clicked=function(){this.options.chromeless&&!this.options.allowUserInteraction||this.trigger(g.default.CONTAINER_CLICK,this,this.name)},e.prototype.dblClicked=function(){this.options.chromeless&&!this.options.allowUserInteraction||this.trigger(g.default.CONTAINER_DBLCLICK,this,this.name)},e.prototype.onContextMenu=function(t){this.options.chromeless&&!this.options.allowUserInteraction||this.trigger(g.default.CONTAINER_CONTEXTMENU,t,this.name)},e.prototype.seek=function(t){this.trigger(g.default.CONTAINER_SEEK,t,this.name),this.playback.seek(t)},e.prototype.onSeeked=function(){this.trigger(g.default.CONTAINER_SEEKED,this.name)},e.prototype.seekPercentage=function(t){var e=this.getDuration();if(t>=0&&t<=100){var i=e*(t/100);this.seek(i)}},e.prototype.setVolume=function(t){this.volume=parseInt(t,10),this.trigger(g.default.CONTAINER_VOLUME,t,this.name),this.playback.volume(t)},e.prototype.fullscreen=function(){this.trigger(g.default.CONTAINER_FULLSCREEN,this.name)},e.prototype.onBuffering=function(){this.trigger(g.default.CONTAINER_STATE_BUFFERING,this.name)},e.prototype.bufferfull=function(){this.trigger(g.default.CONTAINER_STATE_BUFFERFULL,this.name)},e.prototype.addPlugin=function(t){this.plugins.push(t)},e.prototype.hasPlugin=function(t){return!!this.getPlugin(t)},e.prototype.getPlugin=function(t){return this.plugins.filter(function(e){return e.name===t})[0]},e.prototype.mouseEnter=function(){this.options.chromeless&&!this.options.allowUserInteraction||this.trigger(g.default.CONTAINER_MOUSE_ENTER)},e.prototype.mouseLeave=function(){this.options.chromeless&&!this.options.allowUserInteraction||this.trigger(g.default.CONTAINER_MOUSE_LEAVE)},e.prototype.settingsUpdate=function(){this.settings=this.playback.settings,this.trigger(g.default.CONTAINER_SETTINGSUPDATE)},e.prototype.highDefinitionUpdate=function(t){this.trigger(g.default.CONTAINER_HIGHDEFINITIONUPDATE,t)},e.prototype.isHighDefinitionInUse=function(){return this.playback.isHighDefinitionInUse()},e.prototype.disableMediaControl=function(){this.mediaControlDisabled||(this.mediaControlDisabled=!0,this.trigger(g.default.CONTAINER_MEDIACONTROL_DISABLE))},e.prototype.enableMediaControl=function(){this.mediaControlDisabled&&(this.mediaControlDisabled=!1,this.trigger(g.default.CONTAINER_MEDIACONTROL_ENABLE))},e.prototype.updateStyle=function(){!this.options.chromeless||this.options.allowUserInteraction?this.$el.removeClass("chromeless"):this.$el.addClass("chromeless")},e.prototype.configure=function(t){this._options=_.default.extend(this._options,t),this.updateStyle(),this.playback.configure(this.options),this.trigger(g.default.CONTAINER_OPTIONS_CHANGE)},e.prototype.render=function(){return this.$el.append(this.playback.render().el),this.updateStyle(),this},e}(v.default);e.default=E,(0,a.default)(E.prototype,A.default),t.exports=e.default},function(t,e,i){var r=i(157);"string"==typeof r&&(r=[[t.i,r,""]]);var n={singleton:!0,hmr:!0};n.transform=void 0,n.insertInto=void 0;i(9)(r,n);r.locals&&(t.exports=r.locals)},function(t,e,i){e=t.exports=i(8)(!1),e.push([t.i,".container[data-container]{position:absolute;background-color:#000;height:100%;width:100%}.container[data-container] .chromeless{cursor:default}[data-player]:not(.nocursor) .container[data-container]:not(.chromeless).pointer-enabled{cursor:pointer}",""])},function(t,e){t.exports=function(t){var e="undefined"!=typeof window&&window.location;if(!e)throw new Error("fixUrls requires window.location");if(!t||"string"!=typeof t)return t;var i=e.protocol+"//"+e.host,r=i+e.pathname.replace(/\/[^\/]*$/,"/");return t.replace(/url\s*\(((?:[^)(]|\((?:[^)(]+|\([^)(]*\))*\))*)\)/gi,function(t,e){var n=e.trim().replace(/^"(.*)"$/,function(t,e){return e}).replace(/^'(.*)'$/,function(t,e){return e});if(/^(#|data:|http:\/\/|https:\/\/|file:\/\/\/|\s*$)/i.test(n))return t;var a;return a=0===n.indexOf("//")?n:0===n.indexOf("/")?i+n:r+n.replace(/^\.\//,""),"url("+JSON.stringify(a)+")"})}},function(t,e,i){var r=i(160);"string"==typeof r&&(r=[[t.i,r,""]]);var n={singleton:!0,hmr:!0};n.transform=void 0,n.insertInto=void 0;i(9)(r,n);r.locals&&(t.exports=r.locals)},function(t,e,i){e=t.exports=i(8)(!1),e.push([t.i,'[data-player]{-webkit-touch-callout:none;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;-o-user-select:none;user-select:none;-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale;-webkit-transform:translateZ(0);transform:translateZ(0);position:relative;margin:0;padding:0;border:0;font-style:normal;font-weight:400;text-align:center;overflow:hidden;font-size:100%;font-family:Roboto,Open Sans,Arial,sans-serif;text-shadow:0 0 0;box-sizing:border-box}[data-player] a,[data-player] abbr,[data-player] acronym,[data-player] address,[data-player] applet,[data-player] article,[data-player] aside,[data-player] audio,[data-player] b,[data-player] big,[data-player] blockquote,[data-player] canvas,[data-player] caption,[data-player] center,[data-player] cite,[data-player] code,[data-player] dd,[data-player] del,[data-player] details,[data-player] dfn,[data-player] div,[data-player] dl,[data-player] dt,[data-player] em,[data-player] embed,[data-player] fieldset,[data-player] figcaption,[data-player] figure,[data-player] footer,[data-player] form,[data-player] h1,[data-player] h2,[data-player] h3,[data-player] h4,[data-player] h5,[data-player] h6,[data-player] header,[data-player] hgroup,[data-player] i,[data-player] iframe,[data-player] img,[data-player] ins,[data-player] kbd,[data-player] label,[data-player] legend,[data-player] li,[data-player] mark,[data-player] menu,[data-player] nav,[data-player] object,[data-player] ol,[data-player] output,[data-player] p,[data-player] pre,[data-player] q,[data-player] ruby,[data-player] s,[data-player] samp,[data-player] section,[data-player] small,[data-player] span,[data-player] strike,[data-player] strong,[data-player] sub,[data-player] summary,[data-player] sup,[data-player] table,[data-player] tbody,[data-player] td,[data-player] tfoot,[data-player] th,[data-player] thead,[data-player] time,[data-player] tr,[data-player] tt,[data-player] u,[data-player] ul,[data-player] var,[data-player] video{margin:0;padding:0;border:0;font:inherit;font-size:100%;vertical-align:baseline}[data-player] table{border-collapse:collapse;border-spacing:0}[data-player] caption,[data-player] td,[data-player] th{text-align:left;font-weight:400;vertical-align:middle}[data-player] blockquote,[data-player] q{quotes:none}[data-player] blockquote:after,[data-player] blockquote:before,[data-player] q:after,[data-player] q:before{content:"";content:none}[data-player] a img{border:none}[data-player]:focus{outline:0}[data-player] *{max-width:none;box-sizing:inherit;float:none}[data-player] div{display:block}[data-player].fullscreen{width:100%!important;height:100%!important;top:0;left:0}[data-player].nocursor{cursor:none}.clappr-style{display:none!important}',""])},function(t,e,i){var r=i(81);e=t.exports=i(8)(!1),e.push([t.i,'@font-face{font-family:Roboto;font-style:normal;font-weight:400;src:local("Roboto"),local("Roboto-Regular"),url('+r(i(162))+') format("truetype")}',""])},function(t,e){t.exports="<%=baseUrl%>/38861cba61c66739c1452c3a71e39852.ttf"},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(76),a=r(n),o=i(61),s=r(o),l=i(0),u=r(l),c=i(1),d=r(c),h=i(2),f=r(h),p=i(15),g=r(p),y=i(40),v=r(y),m=i(41),A=r(m),b=i(84),_=r(b),E=i(85),T=r(E),S=i(86),L=r(S),R=i(87),k=r(R),w=i(89),C=r(w),I=i(90),O=r(I),D=i(91),P=r(D),x=i(200),M=r(x),N=i(92),F=r(N),B=i(93),U=r(B),G=i(210),K=r(G),j=i(94),V=r(j),Y=i(95),H=r(Y),$=i(98),W=r($),z=i(227),q=r(z),X=i(99),Z=r(X),Q=i(234),J=r(Q),tt=i(239),et=r(tt),it=i(240),rt=r(it),nt=i(241),at=r(nt),ot=i(242),st=r(ot),lt=function(t){function e(){var i=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[],r=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0,n=arguments.length>2&&void 0!==arguments[2]&&arguments[2];(0,u.default)(this,e);var a=(0,d.default)(this,t.call(this));return a.playerId=r,a.playbackPlugins=[],n||(a.playbackPlugins=[].concat((0,s.default)(a.playbackPlugins),[k.default])),a.playbackPlugins=[].concat((0,s.default)(a.playbackPlugins),[A.default,T.default]),n||(a.playbackPlugins=[].concat((0,s.default)(a.playbackPlugins),[_.default,L.default])),a.playbackPlugins=[].concat((0,s.default)(a.playbackPlugins),[C.default,O.default]),a.containerPlugins=[P.default,F.default,U.default,M.default,K.default,V.default],a.corePlugins=[H.default,W.default,q.default,Z.default,J.default,et.default,rt.default,st.default,at.default],Array.isArray(i)||a.validateExternalPluginsType(i),a.addExternalPlugins(i),a}return(0,f.default)(e,t),e.prototype.groupPluginsByType=function(t){return Array.isArray(t)&&(t=t.reduce(function(t,e){return t[e.type]||(t[e.type]=[]),t[e.type].push(e),t},{})),t},e.prototype.removeDups=function(t){var e=function(t,e){return t[e.prototype.name]&&delete t[e.prototype.name],t[e.prototype.name]=e,t},i=t.reduceRight(e,(0,a.default)(null)),r=[];for(var n in i)r.unshift(i[n]);return r},e.prototype.addExternalPlugins=function(t){t=this.groupPluginsByType(t),t.playback&&(this.playbackPlugins=this.removeDups(t.playback.concat(this.playbackPlugins))),t.container&&(this.containerPlugins=this.removeDups(t.container.concat(this.containerPlugins))),t.core&&(this.corePlugins=this.removeDups(t.core.concat(this.corePlugins))),v.default.getInstance(this.playerId).playbackPlugins=this.playbackPlugins},e.prototype.validateExternalPluginsType=function(t){["playback","container","core"].forEach(function(e){(t[e]||[]).forEach(function(t){var i="external "+t.type+" plugin on "+e+" array";if(t.type!==e)throw new ReferenceError(i)})})},e}(g.default);e.default=lt,t.exports=e.default},function(t,e,i){i(71),i(165),t.exports=i(11).Array.from},function(t,e,i){"use strict";var r=i(44),n=i(16),a=i(38),o=i(166),s=i(167),l=i(69),u=i(168),c=i(169);n(n.S+n.F*!i(171)(function(t){Array.from(t)}),"Array",{from:function(t){var e,i,n,d,h=a(t),f="function"==typeof this?this:Array,p=arguments.length,g=p>1?arguments[1]:void 0,y=void 0!==g,v=0,m=c(h);if(y&&(g=r(g,p>2?arguments[2]:void 0,2)),void 0==m||f==Array&&s(m))for(e=l(h.length),i=new f(e);e>v;v++)u(i,v,y?g(h[v],v):h[v]);else for(d=m.call(h),i=new f;!(n=d.next()).done;v++)u(i,v,y?o(d,g,[n.value,v],!0):n.value);return i.length=v,i}})},function(t,e,i){var r=i(26);t.exports=function(t,e,i,n){try{return n?e(r(i)[0],i[1]):e(i)}catch(e){var a=t.return;throw void 0!==a&&r(a.call(t)),e}}},function(t,e,i){var r=i(34),n=i(13)("iterator"),a=Array.prototype;t.exports=function(t){return void 0!==t&&(r.Array===t||a[n]===t)}},function(t,e,i){"use strict";var r=i(18),n=i(33);t.exports=function(t,e,i){e in t?r.f(t,e,n(0,i)):t[e]=i}},function(t,e,i){var r=i(170),n=i(13)("iterator"),a=i(34);t.exports=i(11).getIteratorMethod=function(t){if(void 0!=t)return t[n]||t["@@iterator"]||a[r(t)]}},function(t,e,i){var r=i(46),n=i(13)("toStringTag"),a="Arguments"==r(function(){return arguments}()),o=function(t,e){try{return t[e]}catch(t){}};t.exports=function(t){var e,i,s;return void 0===t?"Undefined":null===t?"Null":"string"==typeof(i=o(e=Object(t),n))?i:a?r(e):"Object"==(s=r(e))&&"function"==typeof e.callee?"Arguments":s}},function(t,e,i){var r=i(13)("iterator"),n=!1;try{var a=[7][r]();a.return=function(){n=!0},Array.from(a,function(){throw 2})}catch(t){}t.exports=function(t,e){if(!e&&!n)return!1;var i=!1;try{var a=[7],o=a[r]();o.next=function(){return{done:i=!0}},a[r]=function(){return o},t(a)}catch(t){}return i}},function(t,e,i){"use strict";(function(r){function n(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var a=i(83),o=n(a),s=i(0),l=n(s),u=i(1),c=n(u),d=i(3),h=n(d),f=i(2),p=n(f),g=i(61),y=n(g),v=i(53),m=n(v),A=i(5),b=i(10),_=n(b),E=i(14),T=n(E),S=i(24),L=n(S),R=i(4),k=n(R),w=i(29),C=n(w),I=i(6),O=n(I),D=i(7),P=n(D),x=i(173),M=n(x);i(174);var N={mp4:["avc1.42E01E","avc1.58A01E","avc1.4D401E","avc1.64001E","mp4v.20.8","mp4v.20.240","mp4a.40.2"].map(function(t){return'video/mp4; codecs="'+t+', mp4a.40.2"'}),ogg:['video/ogg; codecs="theora, vorbis"','video/ogg; codecs="dirac"','video/ogg; codecs="theora, speex"'],"3gpp":['video/3gpp; codecs="mp4v.20.8, samr"'],webm:['video/webm; codecs="vp8, vorbis"'],mkv:['video/x-matroska; codecs="theora, vorbis"'],m3u8:["application/x-mpegurl"]};N.ogv=N.ogg,N["3gp"]=N["3gpp"];var F={wav:["audio/wav"],mp3:["audio/mp3",'audio/mpeg;codecs="mp3"'],aac:['audio/mp4;codecs="mp4a.40.5"'],oga:["audio/ogg"]},B=(0,m.default)(F).reduce(function(t,e){return[].concat((0,y.default)(t),(0,y.default)(F[e]))},[]),U={code:"unknown",message:"unknown"},G=function(t){function e(){(0,l.default)(this,e);for(var i=arguments.length,r=Array(i),n=0;n<i;n++)r[n]=arguments[n];var a=(0,c.default)(this,t.call.apply(t,[this].concat(r)));a._destroyed=!1,a._loadStarted=!1,a._isBuffering=!1,a._playheadMoving=!1,a._playheadMovingTimer=null,a._stopped=!1,a._ccTrackId=-1,a._setupSrc(a.options.src),a.options.playback||(a.options.playback=a.options||{}),a.options.playback.disableContextMenu=a.options.playback.disableContextMenu||a.options.disableVideoTagContextMenu;var o=a.options.playback,s=o.preload||(T.default.isSafari?"auto":a.options.preload),u=void 0;return a.options.poster&&("string"==typeof a.options.poster?u=a.options.poster:"string"==typeof a.options.poster.url&&(u=a.options.poster.url)),O.default.extend(a.el,{muted:a.options.mute,defaultMuted:a.options.mute,loop:a.options.loop,poster:u,preload:s||"metadata",controls:(o.controls||a.options.useVideoTagDefaultControls)&&"controls",crossOrigin:o.crossOrigin,"x-webkit-playsinline":o.playInline}),o.playInline&&a.$el.attr({playsinline:"playsinline"}),o.crossOrigin&&a.$el.attr({crossorigin:o.crossOrigin}),a.settings={default:["seekbar"]},a.settings.left=["playpause","position","duration"],a.settings.right=["fullscreen","volume","hd-indicator"],o.externalTracks&&a._setupExternalTracks(o.externalTracks),a.options.autoPlay&&a.attemptAutoPlay(),a}return(0,p.default)(e,t),(0,h.default)(e,[{key:"name",get:function(){return"html5_video"}},{key:"tagName",get:function(){return this.isAudioOnly?"audio":"video"}},{key:"isAudioOnly",get:function(){var t=this.options.src,i=e._mimeTypesForUrl(t,F,this.options.mimeType);return this.options.playback&&this.options.playback.audioOnly||this.options.audioOnly||B.indexOf(i[0])>=0}},{key:"attributes",get:function(){return{"data-html5-video":""}}},{key:"events",get:function(){return{canplay:"_onCanPlay",canplaythrough:"_handleBufferingEvents",durationchange:"_onDurationChange",ended:"_onEnded",error:"_onError",loadeddata:"_onLoadedData",loadedmetadata:"_onLoadedMetadata",pause:"_onPause",playing:"_onPlaying",progress:"_onProgress",seeking:"_onSeeking",seeked:"_onSeeked",stalled:"_handleBufferingEvents",timeupdate:"_onTimeUpdate",waiting:"_onWaiting"}}},{key:"ended",get:function(){return this.el.ended}},{key:"buffering",get:function(){return this._isBuffering}}]),e.prototype.attemptAutoPlay=function(){var t=this;this.canAutoPlay(function(e,i){i&&C.default.warn(t.name,"autoplay error.",{result:e,error:i}),e&&r.nextTick(function(){return!t._destroyed&&t.play()})})},e.prototype.canAutoPlay=function(t){this.options.disableCanAutoPlay&&t(!0,null);var e={timeout:this.options.autoPlayTimeout||500,inline:this.options.playback.playInline||!1,muted:this.options.mute||!1};T.default.isMobile&&A.DomRecycler.options.recycleVideo&&(e.element=this.el),(0,A.canAutoPlayMedia)(t,e)},e.prototype._setupExternalTracks=function(t){this._externalTracks=t.map(function(t){return{kind:t.kind||"subtitles",label:t.label,lang:t.lang,src:t.src}})},e.prototype._setupSrc=function(t){this.el.src!==t&&(this._ccIsSetup=!1,this.el.src=t,this._src=this.el.src)},e.prototype._onLoadedMetadata=function(t){this._handleBufferingEvents(),this.trigger(k.default.PLAYBACK_LOADEDMETADATA,{duration:t.target.duration,data:t}),this._updateSettings();var e=void 0===this._options.autoSeekFromUrl||this._options.autoSeekFromUrl;this.getPlaybackType()!==_.default.LIVE&&e&&this._checkInitialSeek()},e.prototype._onDurationChange=function(){this._updateSettings(),this._onTimeUpdate(),this._onProgress()},e.prototype._updateSettings=function(){this.getPlaybackType()===_.default.VOD||this.getPlaybackType()===_.default.AOD?this.settings.left=["playpause","position","duration"]:this.settings.left=["playstop"],this.settings.seekEnabled=this.isSeekEnabled(),this.trigger(k.default.PLAYBACK_SETTINGSUPDATE)},e.prototype.isSeekEnabled=function(){return isFinite(this.getDuration())},e.prototype.getPlaybackType=function(){var t="audio"===this.tagName?_.default.AOD:_.default.VOD;return[0,void 0,1/0].indexOf(this.el.duration)>=0?_.default.LIVE:t},e.prototype.isHighDefinitionInUse=function(){return!1},e.prototype.consent=function(){this.isPlaying()||(t.prototype.consent.call(this),this.el.load())},e.prototype.play=function(){this.trigger(k.default.PLAYBACK_PLAY_INTENT),this._stopped=!1,this._setupSrc(this._src),this._handleBufferingEvents();var t=this.el.play();t&&t.catch&&t.catch(function(){})},e.prototype.pause=function(){this.el.pause()},e.prototype.stop=function(){this.pause(),this._stopped=!0,this.el.removeAttribute("src"),this._stopPlayheadMovingChecks(),this._handleBufferingEvents(),this.trigger(k.default.PLAYBACK_STOP)},e.prototype.volume=function(t){0===t?(this.$el.attr({muted:"true"}),this.el.muted=!0):(this.$el.attr({muted:null}),this.el.muted=!1,this.el.volume=t/100)},e.prototype.mute=function(){this.el.muted=!0},e.prototype.unmute=function(){this.el.muted=!1},e.prototype.isMuted=function(){return!!this.el.volume},e.prototype.isPlaying=function(){return!this.el.paused&&!this.el.ended},e.prototype._startPlayheadMovingChecks=function(){null===this._playheadMovingTimer&&(this._playheadMovingTimeOnCheck=null,this._determineIfPlayheadMoving(),this._playheadMovingTimer=setInterval(this._determineIfPlayheadMoving.bind(this),500))},e.prototype._stopPlayheadMovingChecks=function(){null!==this._playheadMovingTimer&&(clearInterval(this._playheadMovingTimer),this._playheadMovingTimer=null,this._playheadMoving=!1)},e.prototype._determineIfPlayheadMoving=function(){var t=this._playheadMovingTimeOnCheck,e=this.el.currentTime;this._playheadMoving=t!==e,this._playheadMovingTimeOnCheck=e,this._handleBufferingEvents()},e.prototype._onWaiting=function(){this._loadStarted=!0,this._handleBufferingEvents()},e.prototype._onLoadedData=function(){this._loadStarted=!0,this._handleBufferingEvents()},e.prototype._onCanPlay=function(){this._handleBufferingEvents()},e.prototype._onPlaying=function(){this._checkForClosedCaptions(),this._startPlayheadMovingChecks(),this._handleBufferingEvents(),this.trigger(k.default.PLAYBACK_PLAY)},e.prototype._onPause=function(){this._stopPlayheadMovingChecks(),this._handleBufferingEvents(),this.trigger(k.default.PLAYBACK_PAUSE)},e.prototype._onSeeking=function(){this._handleBufferingEvents(),this.trigger(k.default.PLAYBACK_SEEK)},e.prototype._onSeeked=function(){this._handleBufferingEvents(),this.trigger(k.default.PLAYBACK_SEEKED)},e.prototype._onEnded=function(){this._handleBufferingEvents(),this.trigger(k.default.PLAYBACK_ENDED,this.name)},e.prototype._handleBufferingEvents=function(){var t=!this.el.ended&&!this.el.paused,e=this._loadStarted&&!this.el.ended&&!this._stopped&&(t&&!this._playheadMoving||this.el.readyState<this.el.HAVE_FUTURE_DATA);this._isBuffering!==e&&(this._isBuffering=e,e?this.trigger(k.default.PLAYBACK_BUFFERING,this.name):this.trigger(k.default.PLAYBACK_BUFFERFULL,this.name))},e.prototype._onError=function(){var t=this.el.error||U,e=t.code,i=t.message,r=e===U.code,n=this.createError({code:e,description:i,raw:this.el.error,level:r?L.default.Levels.WARN:L.default.Levels.FATAL});r?C.default.warn(this.name,"HTML5 unknown error: ",n):this.trigger(k.default.PLAYBACK_ERROR,n)},e.prototype.destroy=function(){this._destroyed=!0,this.handleTextTrackChange&&this.el.textTracks.removeEventListener("change",this.handleTextTrackChange),t.prototype.destroy.call(this),this.el.removeAttribute("src"),this._src=null,A.DomRecycler.garbage(this.$el)},e.prototype.seek=function(t){this.el.currentTime=t},e.prototype.seekPercentage=function(t){var e=this.el.duration*(t/100);this.seek(e)},e.prototype._checkInitialSeek=function(){var t=(0,A.seekStringToSeconds)();0!==t&&this.seek(t)},e.prototype.getCurrentTime=function(){return this.el.currentTime},e.prototype.getDuration=function(){return this.el.duration},e.prototype._onTimeUpdate=function(){this.getPlaybackType()===_.default.LIVE?this.trigger(k.default.PLAYBACK_TIMEUPDATE,{current:1,total:1},this.name):this.trigger(k.default.PLAYBACK_TIMEUPDATE,{current:this.el.currentTime,total:this.el.duration},this.name)},e.prototype._onProgress=function(){if(this.el.buffered.length){for(var t=[],e=0,i=0;i<this.el.buffered.length;i++)t=[].concat((0,y.default)(t),[{start:this.el.buffered.start(i),end:this.el.buffered.end(i)}]),this.el.currentTime>=t[i].start&&this.el.currentTime<=t[i].end&&(e=i);var r={start:t[e].start,current:t[e].end,total:this.el.duration};this.trigger(k.default.PLAYBACK_PROGRESS,r,t)}},e.prototype._typeFor=function(t){var i=e._mimeTypesForUrl(t,N,this.options.mimeType);return 0===i.length&&(i=e._mimeTypesForUrl(t,F,this.options.mimeType)),(i[0]||"").split(";")[0]},e.prototype._ready=function(){this._isReadyState||(this._isReadyState=!0,this.trigger(k.default.PLAYBACK_READY,this.name))},e.prototype._checkForClosedCaptions=function(){if(this.isHTML5Video&&!this._ccIsSetup){if(this.hasClosedCaptionsTracks){this.trigger(k.default.PLAYBACK_SUBTITLE_AVAILABLE);var t=this.closedCaptionsTrackId;this.closedCaptionsTrackId=t,this.handleTextTrackChange=this._handleTextTrackChange.bind(this),this.el.textTracks.addEventListener("change",this.handleTextTrackChange)}this._ccIsSetup=!0}},e.prototype._handleTextTrackChange=function(){var t=this.closedCaptionsTracks,e=t.find(function(t){return"showing"===t.track.mode})||{id:-1};this._ccTrackId!==e.id&&(this._ccTrackId=e.id,this.trigger(k.default.PLAYBACK_SUBTITLE_CHANGED,{id:e.id}))},e.prototype.render=function(){return this.options.playback.disableContextMenu&&this.$el.on("contextmenu",function(){return!1}),this._externalTracks&&this._externalTracks.length>0&&this.$el.html(this.template({tracks:this._externalTracks})),this._ready(),this},(0,h.default)(e,[{key:"isReady",get:function(){return this._isReadyState}},{key:"isHTML5Video",get:function(){return this.name===e.prototype.name}},{key:"closedCaptionsTracks",get:function(){var t=0,e=function(){return t++};return(this.el.textTracks?(0,o.default)(this.el.textTracks):[]).filter(function(t){return"subtitles"===t.kind||"captions"===t.kind}).map(function(t){return{id:e(),name:t.label,track:t}})}},{key:"closedCaptionsTrackId",get:function(){return this._ccTrackId},set:function(t){if((0,A.isNumber)(t)){var e=this.closedCaptionsTracks,i=void 0;if(-1!==t){if(!(i=e.find(function(e){return e.id===t})))return;if("showing"===i.track.mode)return}e.filter(function(t){return"hidden"!==t.track.mode}).forEach(function(t){return t.track.mode="hidden"}),i&&(i.track.mode="showing"),this._ccTrackId=t,this.trigger(k.default.PLAYBACK_SUBTITLE_CHANGED,{id:t})}}},{key:"template",get:function(){return(0,P.default)(M.default)}}]),e}(_.default);e.default=G,G._mimeTypesForUrl=function(t,e,i){var r=(t.split("?")[0].match(/.*\.(.*)$/)||[])[1],n=i||r&&e[r.toLowerCase()]||[];return n.constructor===Array?n:[n]},G._canPlay=function(t,e,i,r){var n=G._mimeTypesForUrl(i,e,r),a=document.createElement(t);return!!n.filter(function(t){return!!a.canPlayType(t).replace(/no/,"")})[0]},G.canPlay=function(t,e){return G._canPlay("audio",F,t,e)||G._canPlay("video",N,t,e)},t.exports=e.default}).call(e,i(62))},function(t,e){t.exports='<% for (var i = 0; i < tracks.length; i++) { %>\n <track data-html5-video-track="<%= i %>" kind="<%= tracks[i].kind %>" label="<%= tracks[i].label %>" srclang="<%= tracks[i].lang %>" src="<%= tracks[i].src %>" />\n<% }; %>\n'},function(t,e,i){var r=i(175);"string"==typeof r&&(r=[[t.i,r,""]]);var n={singleton:!0,hmr:!0};n.transform=void 0,n.insertInto=void 0;i(9)(r,n);r.locals&&(t.exports=r.locals)},function(t,e,i){e=t.exports=i(8)(!1),e.push([t.i,"[data-html5-video]{position:absolute;height:100%;width:100%;display:block}",""])},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(0),a=r(n),o=i(1),s=r(o),l=i(3),u=r(l),c=i(2),d=r(c),h=i(5),f=i(63),p=r(f),g=i(14),y=r(g),v=i(31),m=r(v),A=i(7),b=r(A),_=i(6),E=r(_),T=i(4),S=r(T),L=i(10),R=r(L),k=i(181),w=r(k),C=function(t){function e(){(0,a.default)(this,e);for(var i=arguments.length,r=Array(i),n=0;n<i;n++)r[n]=arguments[n];var o=(0,s.default)(this,t.call.apply(t,[this].concat(r)));return o._src=o.options.src,o._baseUrl=o.options.baseUrl,o._autoPlay=o.options.autoPlay,o.settings={default:["seekbar"]},o.settings.left=["playpause","position","duration"],o.settings.right=["fullscreen","volume"],o.settings.seekEnabled=!0,o._isReadyState=!1,o._addListeners(),o}return(0,d.default)(e,t),(0,u.default)(e,[{key:"name",get:function(){return"flash"}},{key:"swfPath",get:function(){return(0,b.default)(w.default)({baseUrl:this._baseUrl})}},{key:"ended",get:function(){return"ENDED"===this._currentState}},{key:"buffering",get:function(){return!!this._bufferingState&&"ENDED"!==this._currentState}}]),e.prototype._bootstrap=function(){var t=this;this.el.playerPlay?(this.el.width="100%",this.el.height="100%","PLAYING"===this._currentState?this._firstPlay():(this._currentState="IDLE",this._autoPlay&&this.play()),(0,E.default)('<div style="position: absolute; top: 0; left: 0; width: 100%; height: 100%" />').insertAfter(this.$el),this.getDuration()>0?this._metadataLoaded():m.default.once(this.uniqueId+":timeupdate",this._metadataLoaded,this)):(this._attempts=this._attempts||0,++this._attempts<=60?setTimeout(function(){return t._bootstrap()},50):this.trigger(S.default.PLAYBACK_ERROR,{message:"Max number of attempts reached"},this.name))},e.prototype._metadataLoaded=function(){this._isReadyState=!0,this.trigger(S.default.PLAYBACK_READY,this.name),this.trigger(S.default.PLAYBACK_SETTINGSUPDATE,this.name)},e.prototype.getPlaybackType=function(){return R.default.VOD},e.prototype.isHighDefinitionInUse=function(){return!1},e.prototype._updateTime=function(){this.trigger(S.default.PLAYBACK_TIMEUPDATE,{current:this.el.getPosition(),total:this.el.getDuration()},this.name)},e.prototype._addListeners=function(){m.default.on(this.uniqueId+":progress",this._progress,this),m.default.on(this.uniqueId+":timeupdate",this._updateTime,this),m.default.on(this.uniqueId+":statechanged",this._checkState,this),m.default.on(this.uniqueId+":flashready",this._bootstrap,this)},e.prototype.stopListening=function(){t.prototype.stopListening.call(this),m.default.off(this.uniqueId+":progress"),m.default.off(this.uniqueId+":timeupdate"),m.default.off(this.uniqueId+":statechanged"),m.default.off(this.uniqueId+":flashready")},e.prototype._checkState=function(){this._isIdle||"PAUSED"===this._currentState||("PLAYING_BUFFERING"!==this._currentState&&"PLAYING_BUFFERING"===this.el.getState()?(this._bufferingState=!0,this.trigger(S.default.PLAYBACK_BUFFERING,this.name),this._currentState="PLAYING_BUFFERING"):"PLAYING"===this.el.getState()?(this._bufferingState=!1,this.trigger(S.default.PLAYBACK_BUFFERFULL,this.name),this._currentState="PLAYING"):"IDLE"===this.el.getState()?this._currentState="IDLE":"ENDED"===this.el.getState()&&(this.trigger(S.default.PLAYBACK_ENDED,this.name),this.trigger(S.default.PLAYBACK_TIMEUPDATE,{current:0,total:this.el.getDuration()},this.name),this._currentState="ENDED",this._isIdle=!0))},e.prototype._progress=function(){"IDLE"!==this._currentState&&"ENDED"!==this._currentState&&this.trigger(S.default.PLAYBACK_PROGRESS,{start:0,current:this.el.getBytesLoaded(),total:this.el.getBytesTotal()})},e.prototype._firstPlay=function(){var t=this;this.el.playerPlay?(this._isIdle=!1,this.el.playerPlay(this._src),this.listenToOnce(this,S.default.PLAYBACK_BUFFERFULL,function(){return t._checkInitialSeek()}),this._currentState="PLAYING"):this.listenToOnce(this,S.default.PLAYBACK_READY,this._firstPlay)},e.prototype._checkInitialSeek=function(){var t=(0,h.seekStringToSeconds)(window.location.href);0!==t&&this.seekSeconds(t)},e.prototype.play=function(){this.trigger(S.default.PLAYBACK_PLAY_INTENT),"PAUSED"===this._currentState||"PLAYING_BUFFERING"===this._currentState?(this._currentState="PLAYING",this.el.playerResume(),this.trigger(S.default.PLAYBACK_PLAY,this.name)):"PLAYING"!==this._currentState&&(this._firstPlay(),this.trigger(S.default.PLAYBACK_PLAY,this.name))},e.prototype.volume=function(t){var e=this;this.isReady?this.el.playerVolume(t):this.listenToOnce(this,S.default.PLAYBACK_BUFFERFULL,function(){return e.volume(t)})},e.prototype.pause=function(){this._currentState="PAUSED",this.el.playerPause(),this.trigger(S.default.PLAYBACK_PAUSE,this.name)},e.prototype.stop=function(){this.el.playerStop(),this.trigger(S.default.PLAYBACK_STOP),this.trigger(S.default.PLAYBACK_TIMEUPDATE,{current:0,total:0},this.name)},e.prototype.isPlaying=function(){return!!(this.isReady&&this._currentState.indexOf("PLAYING")>-1)},e.prototype.getDuration=function(){return this.el.getDuration()},e.prototype.seekPercentage=function(t){var e=this;if(this.el.getDuration()>0){var i=this.el.getDuration()*(t/100);this.seek(i)}else this.listenToOnce(this,S.default.PLAYBACK_BUFFERFULL,function(){return e.seekPercentage(t)})},e.prototype.seek=function(t){var e=this;this.isReady&&this.el.playerSeek?(this.el.playerSeek(t),this.trigger(S.default.PLAYBACK_TIMEUPDATE,{current:t,total:this.el.getDuration()},this.name),"PAUSED"===this._currentState&&this.el.playerPause()):this.listenToOnce(this,S.default.PLAYBACK_BUFFERFULL,function(){return e.seek(t)})},e.prototype.destroy=function(){clearInterval(this.bootstrapId),t.prototype.stopListening.call(this),this.$el.remove()},(0,u.default)(e,[{key:"isReady",get:function(){return this._isReadyState}}]),e}(p.default);e.default=C,C.canPlay=function(t){if(y.default.hasFlash&&t&&t.constructor===String){var e=t.split("?")[0].match(/.*\.(.*)$/)||[];return e.length>1&&!y.default.isMobile&&e[1].toLowerCase().match(/^(mp4|mov|f4v|3gpp|3gp)$/)}return!1},t.exports=e.default},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(0),a=r(n),o=i(3),s=r(o),l=i(1),u=r(l),c=i(2),d=r(c),h=i(10),f=r(h),p=i(7),g=r(p),y=i(14),v=r(y),m=i(178),A=r(m);i(179);var b=function(t){function e(){return(0,a.default)(this,e),(0,u.default)(this,t.apply(this,arguments))}return(0,d.default)(e,t),e.prototype.setElement=function(t){this.$el=t,this.el=t[0]},e.prototype.render=function(){return this.$el.attr("data",this.swfPath),this.$el.html(this.template({cid:this.cid,swfPath:this.swfPath,baseUrl:this.baseUrl,playbackId:this.uniqueId,wmode:this.wmode,callbackName:"window.Clappr.flashlsCallbacks."+this.cid})),v.default.isIE&&(this.$("embed").remove(),v.default.isLegacyIE&&this.$el.attr("classid","clsid:d27cdb6e-ae6d-11cf-96b8-444553540000")),this.el.id=this.cid,this},(0,s.default)(e,[{key:"tagName",get:function(){return"object"}},{key:"swfPath",get:function(){return""}},{key:"wmode",get:function(){return"transparent"}},{key:"template",get:function(){return(0,g.default)(A.default)}},{key:"attributes",get:function(){var t="application/x-shockwave-flash";return v.default.isLegacyIE&&(t=""),{class:"clappr-flash-playback",type:t,width:"100%",height:"100%",data:this.swfPath,"data-flash-playback":this.name}}}]),e}(f.default);e.default=b,t.exports=e.default},function(t,e){t.exports='<param name="movie" value="<%= swfPath %>">\n<param name="quality" value="autohigh">\n<param name="swliveconnect" value="true">\n<param name="allowScriptAccess" value="always">\n<param name="bgcolor" value="#000000">\n<param name="allowFullScreen" value="false">\n<param name="wmode" value="<%= wmode %>">\n<param name="tabindex" value="1">\n<param name="FlashVars" value="playbackId=<%= playbackId %>&callback=<%= callbackName %>">\n<embed\n name="<%= cid %>"\n type="application/x-shockwave-flash"\n disabled="disabled"\n tabindex="-1"\n enablecontextmenu="false"\n allowScriptAccess="always"\n quality="autohigh"\n pluginspage="http://www.macromedia.com/go/getflashplayer"\n wmode="<%= wmode %>"\n swliveconnect="true"\n allowfullscreen="false"\n bgcolor="#000000"\n FlashVars="playbackId=<%= playbackId %>&callback=<%= callbackName %>"\n data="<%= swfPath %>"\n src="<%= swfPath %>"\n width="100%"\n height="100%">\n</embed>\n'},function(t,e,i){var r=i(180);"string"==typeof r&&(r=[[t.i,r,""]]);var n={singleton:!0,hmr:!0};n.transform=void 0,n.insertInto=void 0;i(9)(r,n);r.locals&&(t.exports=r.locals)},function(t,e,i){e=t.exports=i(8)(!1),e.push([t.i,".clappr-flash-playback[data-flash-playback]{display:block;position:absolute;top:0;left:0;height:100%;width:100%;pointer-events:none}",""])},function(t,e){t.exports="<%=baseUrl%>/4b76590b32dab62bc95c1b7951efae78.swf"},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(0),a=r(n),o=i(3),s=r(o),l=i(1),u=r(l),c=i(2),d=r(c),h=i(4),f=r(h),p=i(10),g=r(p),y=i(41),v=r(y),m=function(t){function e(){return(0,a.default)(this,e),(0,u.default)(this,t.apply(this,arguments))}return(0,d.default)(e,t),e.prototype.updateSettings=function(){this.settings.left=["playpause","position","duration"],this.settings.seekEnabled=this.isSeekEnabled(),this.trigger(f.default.PLAYBACK_SETTINGSUPDATE)},e.prototype.getPlaybackType=function(){return g.default.AOD},(0,s.default)(e,[{key:"name",get:function(){return"html5_audio"}},{key:"tagName",get:function(){return"audio"}},{key:"isAudioOnly",get:function(){return!0}}]),e}(v.default);e.default=m,m.canPlay=function(t,e){var i={wav:["audio/wav"],mp3:["audio/mp3",'audio/mpeg;codecs="mp3"'],aac:['audio/mp4;codecs="mp4a.40.5"'],oga:["audio/ogg"]};return v.default._canPlay("audio",i,t,e)},t.exports=e.default},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(0),a=r(n),o=i(1),s=r(o),l=i(3),u=r(l),c=i(2),d=r(c),h=i(63),f=r(h),p=i(4),g=r(p),y=i(7),v=r(y),m=i(10),A=r(m),b=i(31),_=r(b),E=i(14),T=r(E),S=i(24),L=r(S),R=i(184),k=r(R),w=i(185),C=r(w),I=i(6),O=r(I),D=function(t){function e(){(0,a.default)(this,e);for(var i=arguments.length,r=Array(i),n=0;n<i;n++)r[n]=arguments[n];var o=(0,s.default)(this,t.call.apply(t,[this].concat(r)));return o._src=o.options.src,o._baseUrl=o.options.baseUrl,o._initHlsParameters(o.options),o.highDefinition=!1,o._autoPlay=o.options.autoPlay,o._loop=o.options.loop,o._defaultSettings={left:["playstop"],default:["seekbar"],right:["fullscreen","volume","hd-indicator"],seekEnabled:!1},o.settings=O.default.extend({},o._defaultSettings),o._playbackType=A.default.LIVE,o._hasEnded=!1,o._addListeners(),o}return(0,d.default)(e,t),(0,u.default)(e,[{key:"name",get:function(){return"flashls"}},{key:"swfPath",get:function(){return(0,v.default)(C.default)({baseUrl:this._baseUrl})}},{key:"levels",get:function(){return this._levels||[]}},{key:"currentLevel",get:function(){return null===this._currentLevel||void 0===this._currentLevel?-1:this._currentLevel},set:function(t){this._currentLevel=t,this.trigger(g.default.PLAYBACK_LEVEL_SWITCH_START),this.el.playerSetCurrentLevel(t)}},{key:"ended",get:function(){return this._hasEnded}},{key:"buffering",get:function(){return!!this._bufferingState&&!this._hasEnded}}]),e.prototype._initHlsParameters=function(t){this._autoStartLoad=void 0===t.autoStartLoad||t.autoStartLoad,this._capLevelToStage=void 0!==t.capLevelToStage&&t.capLevelToStage,this._maxLevelCappingMode=void 0===t.maxLevelCappingMode?"downscale":t.maxLevelCappingMode,this._minBufferLength=void 0===t.minBufferLength?-1:t.minBufferLength,this._minBufferLengthCapping=void 0===t.minBufferLengthCapping?-1:t.minBufferLengthCapping,this._maxBufferLength=void 0===t.maxBufferLength?120:t.maxBufferLength,this._maxBackBufferLength=void 0===t.maxBackBufferLength?30:t.maxBackBufferLength,this._lowBufferLength=void 0===t.lowBufferLength?3:t.lowBufferLength,this._mediaTimePeriod=void 0===t.mediaTimePeriod?100:t.mediaTimePeriod,this._fpsDroppedMonitoringPeriod=void 0===t.fpsDroppedMonitoringPeriod?5e3:t.fpsDroppedMonitoringPeriod,this._fpsDroppedMonitoringThreshold=void 0===t.fpsDroppedMonitoringThreshold?.2:t.fpsDroppedMonitoringThreshold,this._capLevelonFPSDrop=void 0!==t.capLevelonFPSDrop&&t.capLevelonFPSDrop,this._smoothAutoSwitchonFPSDrop=void 0===t.smoothAutoSwitchonFPSDrop?this.capLevelonFPSDrop:t.smoothAutoSwitchonFPSDrop,this._switchDownOnLevelError=void 0===t.switchDownOnLevelError||t.switchDownOnLevelError,this._seekMode=void 0===t.seekMode?"ACCURATE":t.seekMode,this._keyLoadMaxRetry=void 0===t.keyLoadMaxRetry?3:t.keyLoadMaxRetry,this._keyLoadMaxRetryTimeout=void 0===t.keyLoadMaxRetryTimeout?64e3:t.keyLoadMaxRetryTimeout,this._fragmentLoadMaxRetry=void 0===t.fragmentLoadMaxRetry?3:t.fragmentLoadMaxRetry,this._fragmentLoadMaxRetryTimeout=void 0===t.fragmentLoadMaxRetryTimeout?4e3:t.fragmentLoadMaxRetryTimeout,this._fragmentLoadSkipAfterMaxRetry=void 0===t.fragmentLoadSkipAfterMaxRetry||t.fragmentLoadSkipAfterMaxRetry,this._maxSkippedFragments=void 0===t.maxSkippedFragments?5:t.maxSkippedFragments,this._flushLiveURLCache=void 0!==t.flushLiveURLCache&&t.flushLiveURLCache,this._initialLiveManifestSize=void 0===t.initialLiveManifestSize?1:t.initialLiveManifestSize,this._manifestLoadMaxRetry=void 0===t.manifestLoadMaxRetry?3:t.manifestLoadMaxRetry,this._manifestLoadMaxRetryTimeout=void 0===t.manifestLoadMaxRetryTimeout?64e3:t.manifestLoadMaxRetryTimeout,this._manifestRedundantLoadmaxRetry=void 0===t.manifestRedundantLoadmaxRetry?3:t.manifestRedundantLoadmaxRetry,this._startFromBitrate=void 0===t.startFromBitrate?-1:t.startFromBitrate,this._startFromLevel=void 0===t.startFromLevel?-1:t.startFromLevel,this._autoStartMaxDuration=void 0===t.autoStartMaxDuration?-1:t.autoStartMaxDuration,this._seekFromLevel=void 0===t.seekFromLevel?-1:t.seekFromLevel,this._useHardwareVideoDecoder=void 0!==t.useHardwareVideoDecoder&&t.useHardwareVideoDecoder,this._hlsLogEnabled=void 0===t.hlsLogEnabled||t.hlsLogEnabled,this._logDebug=void 0!==t.logDebug&&t.logDebug,this._logDebug2=void 0!==t.logDebug2&&t.logDebug2,this._logWarn=void 0===t.logWarn||t.logWarn,this._logError=void 0===t.logError||t.logError,this._hlsMinimumDvrSize=void 0===t.hlsMinimumDvrSize?60:t.hlsMinimumDvrSize},e.prototype._addListeners=function(){var t=this;_.default.on(this.cid+":flashready",function(){return t._bootstrap()}),_.default.on(this.cid+":timeupdate",function(e){return t._updateTime(e)}),_.default.on(this.cid+":playbackstate",function(e){return t._setPlaybackState(e)}),_.default.on(this.cid+":levelchanged",function(e){return t._levelChanged(e)}),_.default.on(this.cid+":error",function(e,i,r){return t._flashPlaybackError(e,i,r)}),_.default.on(this.cid+":fragmentloaded",function(e){return t._onFragmentLoaded(e)}),_.default.on(this.cid+":levelendlist",function(e){return t._onLevelEndlist(e)})},e.prototype.stopListening=function(){t.prototype.stopListening.call(this),_.default.off(this.cid+":flashready"),_.default.off(this.cid+":timeupdate"),_.default.off(this.cid+":playbackstate"),_.default.off(this.cid+":levelchanged"),_.default.off(this.cid+":playbackerror"),_.default.off(this.cid+":fragmentloaded"),_.default.off(this.cid+":manifestloaded"),_.default.off(this.cid+":levelendlist")},e.prototype._bootstrap=function(){var t=this;if(this.el.playerLoad)this.el.width="100%",this.el.height="100%",this._isReadyState=!0,this._srcLoaded=!1,this._currentState="IDLE",this._setFlashSettings(),this._updatePlaybackType(),(this._autoPlay||this._shouldPlayOnManifestLoaded)&&this.play(),this.trigger(g.default.PLAYBACK_READY,this.name);else if(this._bootstrapAttempts=this._bootstrapAttempts||0,++this._bootstrapAttempts<=60)setTimeout(function(){return t._bootstrap()},50);else{var e=this.createError({code:"playerLoadFail_maxNumberAttemptsReached",description:this.name+" error: Max number of attempts reached",level:L.default.Levels.FATAL,raw:{}});this.trigger(g.default.PLAYBACK_ERROR,e)}},e.prototype._setFlashSettings=function(){this.el.playerSetAutoStartLoad(this._autoStartLoad),this.el.playerSetCapLevelToStage(this._capLevelToStage),this.el.playerSetMaxLevelCappingMode(this._maxLevelCappingMode),this.el.playerSetMinBufferLength(this._minBufferLength),this.el.playerSetMinBufferLengthCapping(this._minBufferLengthCapping),this.el.playerSetMaxBufferLength(this._maxBufferLength),this.el.playerSetMaxBackBufferLength(this._maxBackBufferLength),this.el.playerSetLowBufferLength(this._lowBufferLength),this.el.playerSetMediaTimePeriod(this._mediaTimePeriod),this.el.playerSetFpsDroppedMonitoringPeriod(this._fpsDroppedMonitoringPeriod),this.el.playerSetFpsDroppedMonitoringThreshold(this._fpsDroppedMonitoringThreshold),this.el.playerSetCapLevelonFPSDrop(this._capLevelonFPSDrop),this.el.playerSetSmoothAutoSwitchonFPSDrop(this._smoothAutoSwitchonFPSDrop),this.el.playerSetSwitchDownOnLevelError(this._switchDownOnLevelError),this.el.playerSetSeekMode(this._seekMode),this.el.playerSetKeyLoadMaxRetry(this._keyLoadMaxRetry),this.el.playerSetKeyLoadMaxRetryTimeout(this._keyLoadMaxRetryTimeout),this.el.playerSetFragmentLoadMaxRetry(this._fragmentLoadMaxRetry),this.el.playerSetFragmentLoadMaxRetryTimeout(this._fragmentLoadMaxRetryTimeout),this.el.playerSetFragmentLoadSkipAfterMaxRetry(this._fragmentLoadSkipAfterMaxRetry),this.el.playerSetMaxSkippedFragments(this._maxSkippedFragments),this.el.playerSetFlushLiveURLCache(this._flushLiveURLCache),this.el.playerSetInitialLiveManifestSize(this._initialLiveManifestSize),this.el.playerSetManifestLoadMaxRetry(this._manifestLoadMaxRetry),this.el.playerSetManifestLoadMaxRetryTimeout(this._manifestLoadMaxRetryTimeout),this.el.playerSetManifestRedundantLoadmaxRetry(this._manifestRedundantLoadmaxRetry),this.el.playerSetStartFromBitrate(this._startFromBitrate),this.el.playerSetStartFromLevel(this._startFromLevel),this.el.playerSetAutoStartMaxDuration(this._autoStartMaxDuration),this.el.playerSetSeekFromLevel(this._seekFromLevel),this.el.playerSetUseHardwareVideoDecoder(this._useHardwareVideoDecoder),this.el.playerSetLogInfo(this._hlsLogEnabled),this.el.playerSetLogDebug(this._logDebug),this.el.playerSetLogDebug2(this._logDebug2),this.el.playerSetLogWarn(this._logWarn),this.el.playerSetLogError(this._logError)},e.prototype.setAutoStartLoad=function(t){this._autoStartLoad=t,this.el.playerSetAutoStartLoad(this._autoStartLoad)},e.prototype.setCapLevelToStage=function(t){this._capLevelToStage=t,this.el.playerSetCapLevelToStage(this._capLevelToStage)},e.prototype.setMaxLevelCappingMode=function(t){this._maxLevelCappingMode=t,this.el.playerSetMaxLevelCappingMode(this._maxLevelCappingMode)},e.prototype.setSetMinBufferLength=function(t){this._minBufferLength=t,this.el.playerSetMinBufferLength(this._minBufferLength)},e.prototype.setMinBufferLengthCapping=function(t){this._minBufferLengthCapping=t,this.el.playerSetMinBufferLengthCapping(this._minBufferLengthCapping)},e.prototype.setMaxBufferLength=function(t){this._maxBufferLength=t,this.el.playerSetMaxBufferLength(this._maxBufferLength)},e.prototype.setMaxBackBufferLength=function(t){this._maxBackBufferLength=t,this.el.playerSetMaxBackBufferLength(this._maxBackBufferLength)},e.prototype.setLowBufferLength=function(t){this._lowBufferLength=t,this.el.playerSetLowBufferLength(this._lowBufferLength)},e.prototype.setMediaTimePeriod=function(t){this._mediaTimePeriod=t,this.el.playerSetMediaTimePeriod(this._mediaTimePeriod)},e.prototype.setFpsDroppedMonitoringPeriod=function(t){this._fpsDroppedMonitoringPeriod=t,this.el.playerSetFpsDroppedMonitoringPeriod(this._fpsDroppedMonitoringPeriod)},e.prototype.setFpsDroppedMonitoringThreshold=function(t){this._fpsDroppedMonitoringThreshold=t,this.el.playerSetFpsDroppedMonitoringThreshold(this._fpsDroppedMonitoringThreshold)},e.prototype.setCapLevelonFPSDrop=function(t){this._capLevelonFPSDrop=t,this.el.playerSetCapLevelonFPSDrop(this._capLevelonFPSDrop)},e.prototype.setSmoothAutoSwitchonFPSDrop=function(t){this._smoothAutoSwitchonFPSDrop=t,this.el.playerSetSmoothAutoSwitchonFPSDrop(this._smoothAutoSwitchonFPSDrop)},e.prototype.setSwitchDownOnLevelError=function(t){this._switchDownOnLevelError=t,this.el.playerSetSwitchDownOnLevelError(this._switchDownOnLevelError)},e.prototype.setSeekMode=function(t){this._seekMode=t,this.el.playerSetSeekMode(this._seekMode)},e.prototype.setKeyLoadMaxRetry=function(t){this._keyLoadMaxRetry=t,this.el.playerSetKeyLoadMaxRetry(this._keyLoadMaxRetry)},e.prototype.setKeyLoadMaxRetryTimeout=function(t){this._keyLoadMaxRetryTimeout=t,this.el.playerSetKeyLoadMaxRetryTimeout(this._keyLoadMaxRetryTimeout)},e.prototype.setFragmentLoadMaxRetry=function(t){this._fragmentLoadMaxRetry=t,this.el.playerSetFragmentLoadMaxRetry(this._fragmentLoadMaxRetry)},e.prototype.setFragmentLoadMaxRetryTimeout=function(t){this._fragmentLoadMaxRetryTimeout=t,this.el.playerSetFragmentLoadMaxRetryTimeout(this._fragmentLoadMaxRetryTimeout)},e.prototype.setFragmentLoadSkipAfterMaxRetry=function(t){this._fragmentLoadSkipAfterMaxRetry=t,this.el.playerSetFragmentLoadSkipAfterMaxRetry(this._fragmentLoadSkipAfterMaxRetry)},e.prototype.setMaxSkippedFragments=function(t){this._maxSkippedFragments=t,this.el.playerSetMaxSkippedFragments(this._maxSkippedFragments)},e.prototype.setFlushLiveURLCache=function(t){this._flushLiveURLCache=t,this.el.playerSetFlushLiveURLCache(this._flushLiveURLCache)},e.prototype.setInitialLiveManifestSize=function(t){this._initialLiveManifestSize=t,this.el.playerSetInitialLiveManifestSize(this._initialLiveManifestSize)},e.prototype.setManifestLoadMaxRetry=function(t){this._manifestLoadMaxRetry=t,this.el.playerSetManifestLoadMaxRetry(this._manifestLoadMaxRetry)},e.prototype.setManifestLoadMaxRetryTimeout=function(t){this._manifestLoadMaxRetryTimeout=t,this.el.playerSetManifestLoadMaxRetryTimeout(this._manifestLoadMaxRetryTimeout)},e.prototype.setManifestRedundantLoadmaxRetry=function(t){this._manifestRedundantLoadmaxRetry=t,this.el.playerSetManifestRedundantLoadmaxRetry(this._manifestRedundantLoadmaxRetry)},e.prototype.setStartFromBitrate=function(t){this._startFromBitrate=t,this.el.playerSetStartFromBitrate(this._startFromBitrate)},e.prototype.setStartFromLevel=function(t){this._startFromLevel=t,this.el.playerSetStartFromLevel(this._startFromLevel)},e.prototype.setAutoStartMaxDuration=function(t){this._autoStartMaxDuration=t,this.el.playerSetAutoStartMaxDuration(this._autoStartMaxDuration)},e.prototype.setSeekFromLevel=function(t){this._seekFromLevel=t,this.el.playerSetSeekFromLevel(this._seekFromLevel)},e.prototype.setUseHardwareVideoDecoder=function(t){this._useHardwareVideoDecoder=t,this.el.playerSetUseHardwareVideoDecoder(this._useHardwareVideoDecoder)},e.prototype.setSetLogInfo=function(t){this._hlsLogEnabled=t,this.el.playerSetLogInfo(this._hlsLogEnabled)},e.prototype.setLogDebug=function(t){this._logDebug=t,this.el.playerSetLogDebug(this._logDebug)},e.prototype.setLogDebug2=function(t){this._logDebug2=t,this.el.playerSetLogDebug2(this._logDebug2)},e.prototype.setLogWarn=function(t){this._logWarn=t,this.el.playerSetLogWarn(this._logWarn)},e.prototype.setLogError=function(t){this._logError=t,this.el.playerSetLogError(this._logError)},e.prototype._levelChanged=function(t){var e=this.el.getLevels()[t];e&&(this.highDefinition=e.height>=720||e.bitrate/1e3>=2e3,this.trigger(g.default.PLAYBACK_HIGHDEFINITIONUPDATE,this.highDefinition),this._levels&&0!==this._levels.length||this._fillLevels(),this.trigger(g.default.PLAYBACK_BITRATE,{height:e.height,width:e.width,bandwidth:e.bitrate,bitrate:e.bitrate,level:t}),this.trigger(g.default.PLAYBACK_LEVEL_SWITCH_END))},e.prototype._updateTime=function(t){if("IDLE"!==this._currentState){var e=this._normalizeDuration(t.duration),i=Math.min(Math.max(t.position,0),e),r=this._dvrEnabled,n=this._playbackType===A.default.LIVE;this._dvrEnabled=n&&e>this._hlsMinimumDvrSize,100!==e&&void 0!==n&&(this._dvrEnabled!==r&&(this._updateSettings(),this.trigger(g.default.PLAYBACK_SETTINGSUPDATE,this.name)),n&&!this._dvrEnabled&&(i=e),this.trigger(g.default.PLAYBACK_TIMEUPDATE,{current:i,total:e},this.name))}},e.prototype.play=function(){this.trigger(g.default.PLAYBACK_PLAY_INTENT),"PAUSED"===this._currentState?this.el.playerResume():this._srcLoaded||"PLAYING"===this._currentState?this.el.playerPlay():this._firstPlay()},e.prototype.getPlaybackType=function(){return this._playbackType?this._playbackType:null},e.prototype.getCurrentTime=function(){return this.el.getPosition()},e.prototype.getCurrentLevelIndex=function(){return this._currentLevel},e.prototype.getCurrentLevel=function(){return this.levels[this.currentLevel]},e.prototype.getCurrentBitrate=function(){return this.levels[this.currentLevel].bitrate},e.prototype.setCurrentLevel=function(t){this.currentLevel=t},e.prototype.isHighDefinitionInUse=function(){return this.highDefinition},e.prototype.getLevels=function(){return this.levels},e.prototype._setPlaybackState=function(t){["PLAYING_BUFFERING","PAUSED_BUFFERING"].indexOf(t)>=0?(this._bufferingState=!0,this.trigger(g.default.PLAYBACK_BUFFERING,this.name),this._updateCurrentState(t)):["PLAYING","PAUSED"].indexOf(t)>=0?(["PLAYING_BUFFERING","PAUSED_BUFFERING","IDLE"].indexOf(this._currentState)>=0&&(this._bufferingState=!1,this.trigger(g.default.PLAYBACK_BUFFERFULL,this.name)),this._updateCurrentState(t)):"IDLE"===t&&(this._srcLoaded=!1,this._loop&&["PLAYING_BUFFERING","PLAYING"].indexOf(this._currentState)>=0?(this.play(),this.seek(0)):(this._updateCurrentState(t),this._hasEnded=!0,this.trigger(g.default.PLAYBACK_TIMEUPDATE,{current:0,total:this.getDuration()},this.name),this.trigger(g.default.PLAYBACK_ENDED,this.name)))},e.prototype._updateCurrentState=function(t){this._currentState=t,"IDLE"!==t&&(this._hasEnded=!1),this._updatePlaybackType(),"PLAYING"===t?this.trigger(g.default.PLAYBACK_PLAY,this.name):"PAUSED"===t&&this.trigger(g.default.PLAYBACK_PAUSE,this.name)},e.prototype._updatePlaybackType=function(){this._playbackType=this.el.getType(),this._playbackType&&(this._playbackType=this._playbackType.toLowerCase(),this._playbackType===A.default.VOD?this._startReportingProgress():this._stopReportingProgress()),this.trigger(g.default.PLAYBACK_PLAYBACKSTATE,{type:this._playbackType})},e.prototype._startReportingProgress=function(){this._reportingProgress||(this._reportingProgress=!0)},e.prototype._stopReportingProgress=function(){this._reportingProgress=!1},e.prototype._onFragmentLoaded=function(t){if(this.trigger(g.default.PLAYBACK_FRAGMENT_LOADED,t),this._reportingProgress&&this.getCurrentTime()){var e=this.getCurrentTime()+this.el.getbufferLength();this.trigger(g.default.PLAYBACK_PROGRESS,{start:this.getCurrentTime(),current:e,total:this.el.getDuration()})}},e.prototype._onLevelEndlist=function(){this._updatePlaybackType()},e.prototype._firstPlay=function(){var t=this;this._shouldPlayOnManifestLoaded=!0,this.el.playerLoad&&(_.default.once(this.cid+":manifestloaded",function(e,i){return t._manifestLoaded(e,i)}),this._setFlashSettings(),this.el.playerLoad(this._src),this._srcLoaded=!0)},e.prototype.volume=function(t){var e=this;this.isReady?this.el.playerVolume(t):this.listenToOnce(this,g.default.PLAYBACK_BUFFERFULL,function(){return e.volume(t)})},e.prototype.pause=function(){(this._playbackType!==A.default.LIVE||this._dvrEnabled)&&(this.el.playerPause(),this._playbackType===A.default.LIVE&&this._dvrEnabled&&this._updateDvr(!0))},e.prototype.stop=function(){this._srcLoaded=!1,this.el.playerStop(),this.trigger(g.default.PLAYBACK_STOP),this.trigger(g.default.PLAYBACK_TIMEUPDATE,{current:0,total:0},this.name)},e.prototype.isPlaying=function(){return!!this._currentState&&!!this._currentState.match(/playing/i)},e.prototype.getDuration=function(){return this._normalizeDuration(this.el.getDuration())},e.prototype._normalizeDuration=function(t){return this._playbackType===A.default.LIVE&&(t=Math.max(0,t-10)),t},e.prototype.seekPercentage=function(t){var e=this.el.getDuration(),i=0;t>0&&(i=e*t/100),this.seek(i)},e.prototype.seek=function(t){var e=this.getDuration();if(this._playbackType===A.default.LIVE){var i=e-t>3;this._updateDvr(i)}this.el.playerSeek(t),this.trigger(g.default.PLAYBACK_TIMEUPDATE,{current:t,total:e},this.name)},e.prototype._updateDvr=function(t){var e=!!this._dvrInUse;this._dvrInUse=t,this._dvrInUse!==e&&(this._updateSettings(),this.trigger(g.default.PLAYBACK_DVR,this._dvrInUse),this.trigger(g.default.PLAYBACK_STATS_ADD,{dvr:this._dvrInUse}))},e.prototype._flashPlaybackError=function(t,e,i){var r={code:t,description:i,level:L.default.Levels.FATAL,raw:{code:t,url:e,message:i}},n=this.createError(r);this.trigger(g.default.PLAYBACK_ERROR,n),this.trigger(g.default.PLAYBACK_STOP)},e.prototype._manifestLoaded=function(t,e){this._shouldPlayOnManifestLoaded&&(this._shouldPlayOnManifestLoaded=!1,this.el.playerPlay()),this._fillLevels(),this.trigger(g.default.PLAYBACK_LOADEDMETADATA,{duration:t,data:e})},e.prototype._fillLevels=function(){var t=this.el.getLevels(),e=t.length;this._levels=[];for(var i=0;i<e;i++)this._levels.push({id:i,label:t[i].height+"p",level:t[i]});this.trigger(g.default.PLAYBACK_LEVELS_AVAILABLE,this._levels)},e.prototype.destroy=function(){this.stopListening(),this.$el.remove()},e.prototype._updateSettings=function(){this.settings=O.default.extend({},this._defaultSettings),this._playbackType===A.default.VOD||this._dvrInUse?(this.settings.left=["playpause","position","duration"],this.settings.seekEnabled=!0):this._dvrEnabled?(this.settings.left=["playpause"],this.settings.seekEnabled=!0):this.settings.seekEnabled=!1},e.prototype._createCallbacks=function(){var t=this;window.Clappr||(window.Clappr={}),window.Clappr.flashlsCallbacks||(window.Clappr.flashlsCallbacks={}),this.flashlsEvents=new k.default(this.cid),window.Clappr.flashlsCallbacks[this.cid]=function(e,i){t.flashlsEvents[e].apply(t.flashlsEvents,i)}},e.prototype.render=function(){return t.prototype.render.call(this),this._createCallbacks(),this},(0,u.default)(e,[{key:"isReady",get:function(){return this._isReadyState}},{key:"dvrEnabled",get:function(){return!!this._dvrEnabled}}]),e}(f.default);e.default=D,D.canPlay=function(t,e){var i=t.split("?")[0].match(/.*\.(.*)$/)||[];return T.default.hasFlash&&(i.length>1&&"m3u8"===i[1].toLowerCase()||"application/x-mpegURL"===e||"application/vnd.apple.mpegurl"===e)},t.exports=e.default},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(0),a=r(n),o=i(31),s=r(o),l=function(){function t(e){(0,a.default)(this,t),this.instanceId=e}return t.prototype.ready=function(){s.default.trigger(this.instanceId+":flashready")},t.prototype.videoSize=function(t,e){s.default.trigger(this.instanceId+":videosizechanged",t,e)},t.prototype.complete=function(){s.default.trigger(this.instanceId+":complete")},t.prototype.error=function(t,e,i){s.default.trigger(this.instanceId+":error",t,e,i)},t.prototype.manifest=function(t,e){s.default.trigger(this.instanceId+":manifestloaded",t,e)},t.prototype.audioLevelLoaded=function(t){s.default.trigger(this.instanceId+":audiolevelloaded",t)},t.prototype.levelLoaded=function(t){s.default.trigger(this.instanceId+":levelloaded",t)},t.prototype.levelEndlist=function(t){s.default.trigger(this.instanceId+":levelendlist",t)},t.prototype.fragmentLoaded=function(t){s.default.trigger(this.instanceId+":fragmentloaded",t)},t.prototype.fragmentPlaying=function(t){s.default.trigger(this.instanceId+":fragmentplaying",t)},t.prototype.position=function(t){s.default.trigger(this.instanceId+":timeupdate",t)},t.prototype.state=function(t){s.default.trigger(this.instanceId+":playbackstate",t)},t.prototype.seekState=function(t){s.default.trigger(this.instanceId+":seekstate",t)},t.prototype.switch=function(t){s.default.trigger(this.instanceId+":levelchanged",t)},t.prototype.audioTracksListChange=function(t){s.default.trigger(this.instanceId+":audiotracklistchanged",t)},t.prototype.audioTrackChange=function(t){s.default.trigger(this.instanceId+":audiotrackchanged",t)},t}();e.default=l,t.exports=e.default},function(t,e){t.exports="<%=baseUrl%>/8fa12a459188502b9f0d39b8a67d9e6c.swf"},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(61),a=r(n),o=i(88),s=r(o),l=i(0),u=r(l),c=i(1),d=r(c),h=i(3),f=r(h),p=i(2),g=r(p),y=i(41),v=r(y),m=i(188),A=r(m),b=i(4),_=r(b),E=i(10),T=r(E),S=i(5),L=i(29),R=r(L),k=i(24),w=r(k),C=function(t){function e(){(0,u.default)(this,e);for(var i=arguments.length,r=Array(i),n=0;n<i;n++)r[n]=arguments[n];var a=(0,d.default)(this,t.call.apply(t,[this].concat(r)));return a.options.playback||(a.options.playback=a.options),a._minDvrSize=void 0===a.options.hlsMinimumDvrSize?60:a.options.hlsMinimumDvrSize,a._extrapolatedWindowNumSegments=a.options.playback&&void 0!==a.options.playback.extrapolatedWindowNumSegments?a.options.playback.extrapolatedWindowNumSegments:2,a._playbackType=T.default.VOD,a._lastTimeUpdate={current:0,total:0},a._lastDuration=null,a._playableRegionStartTime=0,a._localStartTimeCorrelation=null,a._localEndTimeCorrelation=null,a._playableRegionDuration=0,a._programDateTime=0,a._durationExcludesAfterLiveSyncPoint=!1,a._segmentTargetDuration=null,a._playlistType=null,a._recoverAttemptsRemaining=a.options.hlsRecoverAttempts||16,a}return(0,g.default)(e,t),(0,f.default)(e,[{key:"name",get:function(){return"hls"}},{key:"levels",get:function(){return this._levels||[]}},{key:"currentLevel",get:function(){return null===this._currentLevel||void 0===this._currentLevel?-1:this._currentLevel},set:function(t){this._currentLevel=t,this.trigger(_.default.PLAYBACK_LEVEL_SWITCH_START),this.options.hlsUseNextLevel?this._hls.nextLevel=this._currentLevel:this._hls.currentLevel=this._currentLevel}},{key:"isReady",get:function(){return this._isReadyState}},{key:"_startTime",get:function(){return this._playbackType===T.default.LIVE&&"EVENT"!==this._playlistType?this._extrapolatedStartTime:this._playableRegionStartTime}},{key:"_now",get:function(){return(0,S.now)()}},{key:"_extrapolatedStartTime",get:function(){if(!this._localStartTimeCorrelation)return this._playableRegionStartTime;var t=this._localStartTimeCorrelation,e=this._now-t.local,i=(t.remote+e)/1e3;return Math.min(i,this._playableRegionStartTime+this._extrapolatedWindowDuration)}},{key:"_extrapolatedEndTime",get:function(){var t=this._playableRegionStartTime+this._playableRegionDuration;if(!this._localEndTimeCorrelation)return t;var e=this._localEndTimeCorrelation,i=this._now-e.local,r=(e.remote+i)/1e3;return Math.max(t-this._extrapolatedWindowDuration,Math.min(r,t))}},{key:"_duration",get:function(){return this._extrapolatedEndTime-this._startTime}},{key:"_extrapolatedWindowDuration",get:function(){return null===this._segmentTargetDuration?0:this._extrapolatedWindowNumSegments*this._segmentTargetDuration}}],[{key:"HLSJS",get:function(){return A.default}}]),e.prototype._setup=function(){var t=this;this._ccIsSetup=!1,this._ccTracksUpdated=!1,this._hls=new A.default((0,S.assign)({},this.options.playback.hlsjsConfig)),this._hls.on(A.default.Events.MEDIA_ATTACHED,function(){return t._hls.loadSource(t.options.src)}),this._hls.on(A.default.Events.LEVEL_LOADED,function(e,i){return t._updatePlaybackType(e,i)}),this._hls.on(A.default.Events.LEVEL_UPDATED,function(e,i){return t._onLevelUpdated(e,i)}),this._hls.on(A.default.Events.LEVEL_SWITCHING,function(e,i){return t._onLevelSwitch(e,i)}),this._hls.on(A.default.Events.FRAG_LOADED,function(e,i){return t._onFragmentLoaded(e,i)}),this._hls.on(A.default.Events.ERROR,function(e,i){return t._onHLSJSError(e,i)}),this._hls.on(A.default.Events.SUBTITLE_TRACK_LOADED,function(e,i){return t._onSubtitleLoaded(e,i)}),this._hls.on(A.default.Events.SUBTITLE_TRACKS_UPDATED,function(){return t._ccTracksUpdated=!0}),this._hls.attachMedia(this.el)},e.prototype.render=function(){return this._ready(),t.prototype.render.call(this)},e.prototype._ready=function(){this._isReadyState=!0,this.trigger(_.default.PLAYBACK_READY,this.name)},e.prototype._recover=function(t,e,i){if(this._recoveredDecodingError)if(this._recoveredAudioCodecError){R.default.error("hlsjs: failed to recover",{evt:t,data:e}),i.level=w.default.Levels.FATAL;var r=this.createError(i);this.trigger(_.default.PLAYBACK_ERROR,r),this.stop()}else this._recoveredAudioCodecError=!0,this._hls.swapAudioCodec(),this._hls.recoverMediaError();else this._recoveredDecodingError=!0,this._hls.recoverMediaError()},e.prototype._setupSrc=function(t){},e.prototype._startTimeUpdateTimer=function(){var t=this;this._timeUpdateTimer=setInterval(function(){t._onDurationChange(),t._onTimeUpdate()},100)},e.prototype._stopTimeUpdateTimer=function(){clearInterval(this._timeUpdateTimer)},e.prototype.getProgramDateTime=function(){return this._programDateTime},e.prototype.getDuration=function(){return this._duration},e.prototype.getCurrentTime=function(){return Math.max(0,this.el.currentTime-this._startTime)},e.prototype.getStartTimeOffset=function(){return this._startTime},e.prototype.seekPercentage=function(t){var e=this._duration;t>0&&(e=this._duration*(t/100)),this.seek(e)},e.prototype.seek=function(e){e<0&&(R.default.warn("Attempt to seek to a negative time. Resetting to live point. Use seekToLivePoint() to seek to the live point."),e=this.getDuration()),this.dvrEnabled&&this._updateDvr(e<this.getDuration()-3),e+=this._startTime,t.prototype.seek.call(this,e)},e.prototype.seekToLivePoint=function(){this.seek(this.getDuration())},e.prototype._updateDvr=function(t){this.trigger(_.default.PLAYBACK_DVR,t),this.trigger(_.default.PLAYBACK_STATS_ADD,{dvr:t})},e.prototype._updateSettings=function(){this._playbackType===T.default.VOD?this.settings.left=["playpause","position","duration"]:this.dvrEnabled?this.settings.left=["playpause"]:this.settings.left=["playstop"],this.settings.seekEnabled=this.isSeekEnabled(),this.trigger(_.default.PLAYBACK_SETTINGSUPDATE)},e.prototype._onHLSJSError=function(t,e){var i={code:e.type+"_"+e.details,description:this.name+" error: type: "+e.type+", details: "+e.details,raw:e},r=void 0;if(e.response&&(i.description+=", response: "+(0,s.default)(e.response)),e.fatal)if(this._recoverAttemptsRemaining>0)switch(this._recoverAttemptsRemaining-=1,e.type){case A.default.ErrorTypes.NETWORK_ERROR:switch(e.details){case A.default.ErrorDetails.MANIFEST_LOAD_ERROR:case A.default.ErrorDetails.MANIFEST_LOAD_TIMEOUT:case A.default.ErrorDetails.MANIFEST_PARSING_ERROR:case A.default.ErrorDetails.LEVEL_LOAD_ERROR:case A.default.ErrorDetails.LEVEL_LOAD_TIMEOUT:R.default.error("hlsjs: unrecoverable network fatal error.",{evt:t,data:e}),r=this.createError(i),this.trigger(_.default.PLAYBACK_ERROR,r),this.stop();break;default:R.default.warn("hlsjs: trying to recover from network error.",{evt:t,data:e}),i.level=w.default.Levels.WARN,this.createError(i),this._hls.startLoad()}break;case A.default.ErrorTypes.MEDIA_ERROR:R.default.warn("hlsjs: trying to recover from media error.",{evt:t,data:e}),i.level=w.default.Levels.WARN,this.createError(i),this._recover(t,e,i);break;default:R.default.error("hlsjs: could not recover from error.",{evt:t,data:e}),r=this.createError(i),this.trigger(_.default.PLAYBACK_ERROR,r),this.stop()}else R.default.error("hlsjs: could not recover from error after maximum number of attempts.",{evt:t,data:e}),r=this.createError(i),this.trigger(_.default.PLAYBACK_ERROR,r),this.stop();else i.level=w.default.Levels.WARN,this.createError(i),R.default.warn("hlsjs: non-fatal error occurred",{evt:t,data:e})},e.prototype._onTimeUpdate=function(){var t={current:this.getCurrentTime(),total:this.getDuration(),firstFragDateTime:this.getProgramDateTime()};this._lastTimeUpdate&&t.current===this._lastTimeUpdate.current&&t.total===this._lastTimeUpdate.total||(this._lastTimeUpdate=t,this.trigger(_.default.PLAYBACK_TIMEUPDATE,t,this.name))},e.prototype._onDurationChange=function(){var e=this.getDuration();this._lastDuration!==e&&(this._lastDuration=e,t.prototype._onDurationChange.call(this))},e.prototype._onProgress=function(){if(this.el.buffered.length){for(var t=[],e=0,i=0;i<this.el.buffered.length;i++)t=[].concat((0,a.default)(t),[{start:Math.max(0,this.el.buffered.start(i)-this._playableRegionStartTime),end:Math.max(0,this.el.buffered.end(i)-this._playableRegionStartTime)}]),this.el.currentTime>=t[i].start&&this.el.currentTime<=t[i].end&&(e=i);var r={start:t[e].start,current:t[e].end,total:this.getDuration()};this.trigger(_.default.PLAYBACK_PROGRESS,r,t)}},e.prototype.play=function(){this._hls||this._setup(),t.prototype.play.call(this),this._startTimeUpdateTimer()},e.prototype.pause=function(){this._hls&&(t.prototype.pause.call(this),this.dvrEnabled&&this._updateDvr(!0))},e.prototype.stop=function(){this._hls&&(t.prototype.stop.call(this),this._hls.destroy(),delete this._hls)},e.prototype.destroy=function(){this._stopTimeUpdateTimer(),this._hls&&(this._hls.destroy(),delete this._hls),t.prototype.destroy.call(this)},e.prototype._updatePlaybackType=function(t,e){this._playbackType=e.details.live?T.default.LIVE:T.default.VOD,this._onLevelUpdated(t,e),this._ccTracksUpdated&&this._playbackType===T.default.LIVE&&this.hasClosedCaptionsTracks&&this._onSubtitleLoaded()},e.prototype._fillLevels=function(){this._levels=this._hls.levels.map(function(t,e){return{id:e,level:t,label:t.bitrate/1e3+"Kbps"}}),this.trigger(_.default.PLAYBACK_LEVELS_AVAILABLE,this._levels)},e.prototype._onLevelUpdated=function(t,e){this._segmentTargetDuration=e.details.targetduration,this._playlistType=e.details.type||null;var i=!1,r=!1,n=e.details.fragments,a=this._playableRegionStartTime,o=this._playableRegionDuration;if(0!==n.length){if(n[0].rawProgramDateTime&&(this._programDateTime=n[0].rawProgramDateTime),this._playableRegionStartTime!==n[0].start&&(i=!0,this._playableRegionStartTime=n[0].start),i)if(this._localStartTimeCorrelation){var s=this._localStartTimeCorrelation,l=this._now-s.local,u=(s.remote+l)/1e3;u<n[0].start?this._localStartTimeCorrelation={local:this._now,remote:1e3*n[0].start}:u>a+this._extrapolatedWindowDuration&&(this._localStartTimeCorrelation={local:this._now,remote:1e3*Math.max(n[0].start,a+this._extrapolatedWindowDuration)})}else this._localStartTimeCorrelation={local:this._now,remote:1e3*(n[0].start+this._extrapolatedWindowDuration/2)};var c=e.details.totalduration;if(this._playbackType===T.default.LIVE){var d=e.details.targetduration,h=this.options.playback.hlsjsConfig||{},f=h.liveSyncDurationCount||A.default.DefaultConfig.liveSyncDurationCount,p=d*f;p<=c?(c-=p,this._durationExcludesAfterLiveSyncPoint=!0):this._durationExcludesAfterLiveSyncPoint=!1}c!==this._playableRegionDuration&&(r=!0,this._playableRegionDuration=c);var g=n[0].start+c,y=a+o;if(g!==y)if(this._localEndTimeCorrelation){var v=this._localEndTimeCorrelation,m=this._now-v.local,b=(v.remote+m)/1e3;b>g?this._localEndTimeCorrelation={local:this._now,remote:1e3*g}:b<g-this._extrapolatedWindowDuration?this._localEndTimeCorrelation={local:this._now,remote:1e3*(g-this._extrapolatedWindowDuration)}:b>y&&(this._localEndTimeCorrelation={local:this._now,remote:1e3*y})}else this._localEndTimeCorrelation={local:this._now,remote:1e3*g};r&&this._onDurationChange(),i&&this._onProgress()}},e.prototype._onFragmentLoaded=function(t,e){this.trigger(_.default.PLAYBACK_FRAGMENT_LOADED,e)},e.prototype._onSubtitleLoaded=function(){if(!this._ccIsSetup){this.trigger(_.default.PLAYBACK_SUBTITLE_AVAILABLE);var t=this._playbackType===T.default.LIVE?-1:this.closedCaptionsTrackId;this.closedCaptionsTrackId=t,this._ccIsSetup=!0}},e.prototype._onLevelSwitch=function(t,e){this.levels.length||this._fillLevels(),this.trigger(_.default.PLAYBACK_LEVEL_SWITCH_END),this.trigger(_.default.PLAYBACK_LEVEL_SWITCH,e);var i=this._hls.levels[e.level];i&&(this.highDefinition=i.height>=720||i.bitrate/1e3>=2e3,this.trigger(_.default.PLAYBACK_HIGHDEFINITIONUPDATE,this.highDefinition),this.trigger(_.default.PLAYBACK_BITRATE,{height:i.height,width:i.width,bandwidth:i.bitrate,bitrate:i.bitrate,level:e.level}))},e.prototype.getPlaybackType=function(){return this._playbackType},e.prototype.isSeekEnabled=function(){return this._playbackType===T.default.VOD||this.dvrEnabled},(0,f.default)(e,[{key:"dvrEnabled",get:function(){return this._durationExcludesAfterLiveSyncPoint&&this._duration>=this._minDvrSize&&this.getPlaybackType()===T.default.LIVE}}]),e}(v.default);e.default=C,C.canPlay=function(t,e){var i=t.split("?")[0].match(/.*\.(.*)$/)||[],r=i.length>1&&"m3u8"===i[1].toLowerCase()||(0,S.listContainsIgnoreCase)(e,["application/vnd.apple.mpegurl","application/x-mpegURL"]);return!(!A.default.isSupported()||!r)},t.exports=e.default},function(t,e,i){var r=i(11),n=r.JSON||(r.JSON={stringify:JSON.stringify});t.exports=function(t){return n.stringify.apply(n,arguments)}},function(t,e,i){"undefined"!=typeof window&&function(e,i){t.exports=i()}(0,function(){return function(t){function e(r){if(i[r])return i[r].exports;var n=i[r]={i:r,l:!1,exports:{}};return t[r].call(n.exports,n,n.exports,e),n.l=!0,n.exports}var i={};return e.m=t,e.c=i,e.d=function(t,i,r){e.o(t,i)||Object.defineProperty(t,i,{configurable:!1,enumerable:!0,get:r})},e.n=function(t){var i=t&&t.__esModule?function(){return t.default}:function(){return t};return e.d(i,"a",i),i},e.o=function(t,e){return Object.prototype.hasOwnProperty.call(t,e)},e.p="/dist/",e(e.s=11)}([function(t,e,i){"use strict";function r(){}function n(t,e){return e="["+t+"] > "+e}function a(t){var e=d.console[t];return e?function(){for(var i=arguments.length,r=Array(i),a=0;a<i;a++)r[a]=arguments[a];r[0]&&(r[0]=n(t,r[0])),e.apply(d.console,r)}:r}function o(t){for(var e=arguments.length,i=Array(e>1?e-1:0),r=1;r<e;r++)i[r-1]=arguments[r];i.forEach(function(e){c[e]=t[e]?t[e].bind(t):a(e)})}i.d(e,"a",function(){return h}),i.d(e,"b",function(){return f});var s=i(4),l="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(t){return typeof t}:function(t){return t&&"function"==typeof Symbol&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t},u={trace:r,debug:r,log:r,warn:r,info:r,error:r},c=u,d=Object(s.a)(),h=function(t){if(!0===t||"object"===(void 0===t?"undefined":l(t))){o(t,"debug","log","info","warn","error");try{c.log()}catch(t){c=u}}else c=u},f=c},function(t,e,i){"use strict";var r={MEDIA_ATTACHING:"hlsMediaAttaching",MEDIA_ATTACHED:"hlsMediaAttached",MEDIA_DETACHING:"hlsMediaDetaching",MEDIA_DETACHED:"hlsMediaDetached",BUFFER_RESET:"hlsBufferReset",BUFFER_CODECS:"hlsBufferCodecs",BUFFER_CREATED:"hlsBufferCreated",BUFFER_APPENDING:"hlsBufferAppending",BUFFER_APPENDED:"hlsBufferAppended",BUFFER_EOS:"hlsBufferEos",BUFFER_FLUSHING:"hlsBufferFlushing",BUFFER_FLUSHED:"hlsBufferFlushed",MANIFEST_LOADING:"hlsManifestLoading",MANIFEST_LOADED:"hlsManifestLoaded",MANIFEST_PARSED:"hlsManifestParsed",LEVEL_SWITCHING:"hlsLevelSwitching",LEVEL_SWITCHED:"hlsLevelSwitched",LEVEL_LOADING:"hlsLevelLoading",LEVEL_LOADED:"hlsLevelLoaded",LEVEL_UPDATED:"hlsLevelUpdated",LEVEL_PTS_UPDATED:"hlsLevelPtsUpdated",AUDIO_TRACKS_UPDATED:"hlsAudioTracksUpdated",AUDIO_TRACK_SWITCHING:"hlsAudioTrackSwitching",AUDIO_TRACK_SWITCHED:"hlsAudioTrackSwitched",AUDIO_TRACK_LOADING:"hlsAudioTrackLoading",AUDIO_TRACK_LOADED:"hlsAudioTrackLoaded",SUBTITLE_TRACKS_UPDATED:"hlsSubtitleTracksUpdated",SUBTITLE_TRACK_SWITCH:"hlsSubtitleTrackSwitch",SUBTITLE_TRACK_LOADING:"hlsSubtitleTrackLoading",SUBTITLE_TRACK_LOADED:"hlsSubtitleTrackLoaded",SUBTITLE_FRAG_PROCESSED:"hlsSubtitleFragProcessed",INIT_PTS_FOUND:"hlsInitPtsFound",FRAG_LOADING:"hlsFragLoading",FRAG_LOAD_PROGRESS:"hlsFragLoadProgress",FRAG_LOAD_EMERGENCY_ABORTED:"hlsFragLoadEmergencyAborted",FRAG_LOADED:"hlsFragLoaded",FRAG_DECRYPTED:"hlsFragDecrypted",FRAG_PARSING_INIT_SEGMENT:"hlsFragParsingInitSegment",FRAG_PARSING_USERDATA:"hlsFragParsingUserdata",FRAG_PARSING_METADATA:"hlsFragParsingMetadata",FRAG_PARSING_DATA:"hlsFragParsingData",FRAG_PARSED:"hlsFragParsed",FRAG_BUFFERED:"hlsFragBuffered",FRAG_CHANGED:"hlsFragChanged",FPS_DROP:"hlsFpsDrop",FPS_DROP_LEVEL_CAPPING:"hlsFpsDropLevelCapping",ERROR:"hlsError",DESTROYING:"hlsDestroying",KEY_LOADING:"hlsKeyLoading",KEY_LOADED:"hlsKeyLoaded",STREAM_STATE_TRANSITION:"hlsStreamStateTransition"};e.a=r},function(t,e,i){"use strict";i.d(e,"b",function(){return r}),i.d(e,"a",function(){return n});var r={NETWORK_ERROR:"networkError",MEDIA_ERROR:"mediaError",KEY_SYSTEM_ERROR:"keySystemError",MUX_ERROR:"muxError",OTHER_ERROR:"otherError"},n={KEY_SYSTEM_NO_KEYS:"keySystemNoKeys",KEY_SYSTEM_NO_ACCESS:"keySystemNoAccess",KEY_SYSTEM_NO_SESSION:"keySystemNoSession",KEY_SYSTEM_LICENSE_REQUEST_FAILED:"keySystemLicenseRequestFailed",MANIFEST_LOAD_ERROR:"manifestLoadError",MANIFEST_LOAD_TIMEOUT:"manifestLoadTimeOut",MANIFEST_PARSING_ERROR:"manifestParsingError",MANIFEST_INCOMPATIBLE_CODECS_ERROR:"manifestIncompatibleCodecsError",LEVEL_LOAD_ERROR:"levelLoadError",LEVEL_LOAD_TIMEOUT:"levelLoadTimeOut",LEVEL_SWITCH_ERROR:"levelSwitchError",AUDIO_TRACK_LOAD_ERROR:"audioTrackLoadError",AUDIO_TRACK_LOAD_TIMEOUT:"audioTrackLoadTimeOut",FRAG_LOAD_ERROR:"fragLoadError",FRAG_LOAD_TIMEOUT:"fragLoadTimeOut",FRAG_DECRYPT_ERROR:"fragDecryptError",FRAG_PARSING_ERROR:"fragParsingError",REMUX_ALLOC_ERROR:"remuxAllocError",KEY_LOAD_ERROR:"keyLoadError",KEY_LOAD_TIMEOUT:"keyLoadTimeOut",BUFFER_ADD_CODEC_ERROR:"bufferAddCodecError",BUFFER_APPEND_ERROR:"bufferAppendError",BUFFER_APPENDING_ERROR:"bufferAppendingError",BUFFER_STALLED_ERROR:"bufferStalledError",BUFFER_FULL_ERROR:"bufferFullError",BUFFER_SEEK_OVER_HOLE:"bufferSeekOverHole",BUFFER_NUDGE_ON_STALL:"bufferNudgeOnStall",INTERNAL_EXCEPTION:"internalException"}},function(t,e,i){"use strict";i.d(e,"a",function(){return r});var r=Number.isFinite||function(t){return"number"==typeof t&&isFinite(t)}},function(t,e,i){"use strict";function r(){return"undefined"==typeof window?self:window}e.a=r},function(t,e,i){!function(e){var i=/^((?:[a-zA-Z0-9+\-.]+:)?)(\/\/[^\/\;?#]*)?(.*?)??(;.*?)?(\?.*?)?(#.*?)?$/,r=/^([^\/;?#]*)(.*)$/,n=/(?:\/|^)\.(?=\/)/g,a=/(?:\/|^)\.\.\/(?!\.\.\/).*?(?=\/)/g,o={buildAbsoluteURL:function(t,e,i){if(i=i||{},t=t.trim(),!(e=e.trim())){if(!i.alwaysNormalize)return t;var n=this.parseURL(t);if(!s)throw new Error("Error trying to parse base URL.");return n.path=o.normalizePath(n.path),o.buildURLFromParts(n)}var a=this.parseURL(e);if(!a)throw new Error("Error trying to parse relative URL.");if(a.scheme)return i.alwaysNormalize?(a.path=o.normalizePath(a.path),o.buildURLFromParts(a)):e;var s=this.parseURL(t);if(!s)throw new Error("Error trying to parse base URL.");if(!s.netLoc&&s.path&&"/"!==s.path[0]){var l=r.exec(s.path);s.netLoc=l[1],s.path=l[2]}s.netLoc&&!s.path&&(s.path="/");var u={scheme:s.scheme,netLoc:a.netLoc,path:null,params:a.params,query:a.query,fragment:a.fragment};if(!a.netLoc&&(u.netLoc=s.netLoc,"/"!==a.path[0]))if(a.path){var c=s.path,d=c.substring(0,c.lastIndexOf("/")+1)+a.path;u.path=o.normalizePath(d)}else u.path=s.path,a.params||(u.params=s.params,a.query||(u.query=s.query));return null===u.path&&(u.path=i.alwaysNormalize?o.normalizePath(a.path):a.path),o.buildURLFromParts(u)},parseURL:function(t){var e=i.exec(t);return e?{scheme:e[1]||"",netLoc:e[2]||"",path:e[3]||"",params:e[4]||"",query:e[5]||"",fragment:e[6]||""}:null},normalizePath:function(t){for(t=t.split("").reverse().join("").replace(n,"");t.length!==(t=t.replace(a,"")).length;);return t.split("").reverse().join("")},buildURLFromParts:function(t){return t.scheme+t.netLoc+t.path+t.params+t.query+t.fragment}};t.exports=o}()},function(t,e,i){"use strict";function r(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}i.d(e,"b",function(){return a});var n=function(){function t(){r(this,t)}return t.isHeader=function(t,e){return e+10<=t.length&&73===t[e]&&68===t[e+1]&&51===t[e+2]&&t[e+3]<255&&t[e+4]<255&&t[e+6]<128&&t[e+7]<128&&t[e+8]<128&&t[e+9]<128},t.isFooter=function(t,e){return e+10<=t.length&&51===t[e]&&68===t[e+1]&&73===t[e+2]&&t[e+3]<255&&t[e+4]<255&&t[e+6]<128&&t[e+7]<128&&t[e+8]<128&&t[e+9]<128},t.getID3Data=function(e,i){for(var r=i,n=0;t.isHeader(e,i);){n+=10;n+=t._readSize(e,i+6),t.isFooter(e,i+10)&&(n+=10),i+=n}if(n>0)return e.subarray(r,r+n)},t._readSize=function(t,e){var i=0;return i=(127&t[e])<<21,i|=(127&t[e+1])<<14,i|=(127&t[e+2])<<7,i|=127&t[e+3]},t.getTimeStamp=function(e){for(var i=t.getID3Frames(e),r=0;r<i.length;r++){var n=i[r];if(t.isTimeStampFrame(n))return t._readTimeStamp(n)}},t.isTimeStampFrame=function(t){return t&&"PRIV"===t.key&&"com.apple.streaming.transportStreamTimestamp"===t.info},t._getFrameData=function(e){var i=String.fromCharCode(e[0],e[1],e[2],e[3]),r=t._readSize(e,4);return{type:i,size:r,data:e.subarray(10,10+r)}},t.getID3Frames=function(e){for(var i=0,r=[];t.isHeader(e,i);){var n=t._readSize(e,i+6);i+=10;for(var a=i+n;i+8<a;){var o=t._getFrameData(e.subarray(i)),s=t._decodeFrame(o);s&&r.push(s),i+=o.size+10}t.isFooter(e,i)&&(i+=10)}return r},t._decodeFrame=function(e){return"PRIV"===e.type?t._decodePrivFrame(e):"T"===e.type[0]?t._decodeTextFrame(e):"W"===e.type[0]?t._decodeURLFrame(e):void 0},t._readTimeStamp=function(t){if(8===t.data.byteLength){var e=new Uint8Array(t.data),i=1&e[3],r=(e[4]<<23)+(e[5]<<15)+(e[6]<<7)+e[7];return r/=45,i&&(r+=47721858.84),Math.round(r)}},t._decodePrivFrame=function(e){if(!(e.size<2)){var i=t._utf8ArrayToStr(e.data,!0),r=new Uint8Array(e.data.subarray(i.length+1));return{key:e.type,info:i,data:r.buffer}}},t._decodeTextFrame=function(e){if(!(e.size<2)){if("TXXX"===e.type){var i=1,r=t._utf8ArrayToStr(e.data.subarray(i));i+=r.length+1;var n=t._utf8ArrayToStr(e.data.subarray(i));return{key:e.type,info:r,data:n}}var a=t._utf8ArrayToStr(e.data.subarray(1));return{key:e.type,data:a}}},t._decodeURLFrame=function(e){if("WXXX"===e.type){if(e.size<2)return;var i=1,r=t._utf8ArrayToStr(e.data.subarray(i));i+=r.length+1;var n=t._utf8ArrayToStr(e.data.subarray(i));return{key:e.type,info:r,data:n}}var a=t._utf8ArrayToStr(e.data);return{key:e.type,data:a}},t._utf8ArrayToStr=function(t){for(var e=arguments.length>1&&void 0!==arguments[1]&&arguments[1],i=t.length,r=void 0,n=void 0,a=void 0,o="",s=0;s<i;){if(0===(r=t[s++])&&e)return o;if(0!==r&&3!==r)switch(r>>4){case 0:case 1:case 2:case 3:case 4:case 5:case 6:case 7:o+=String.fromCharCode(r);break;case 12:case 13:n=t[s++],o+=String.fromCharCode((31&r)<<6|63&n);break;case 14:n=t[s++],a=t[s++],o+=String.fromCharCode((15&r)<<12|(63&n)<<6|(63&a)<<0)}}return o},t}(),a=n._utf8ArrayToStr;e.a=n},function(t,e){function i(){this._events=this._events||{},this._maxListeners=this._maxListeners||void 0}function r(t){return"function"==typeof t}function n(t){return"number"==typeof t}function a(t){return"object"==typeof t&&null!==t}function o(t){return void 0===t}t.exports=i,i.EventEmitter=i,i.prototype._events=void 0,i.prototype._maxListeners=void 0,i.defaultMaxListeners=10,i.prototype.setMaxListeners=function(t){if(!n(t)||t<0||isNaN(t))throw TypeError("n must be a positive number");return this._maxListeners=t,this},i.prototype.emit=function(t){var e,i,n,s,l,u;if(this._events||(this._events={}),"error"===t&&(!this._events.error||a(this._events.error)&&!this._events.error.length)){if((e=arguments[1])instanceof Error)throw e;var c=new Error('Uncaught, unspecified "error" event. ('+e+")");throw c.context=e,c}if(i=this._events[t],o(i))return!1;if(r(i))switch(arguments.length){case 1:i.call(this);break;case 2:i.call(this,arguments[1]);break;case 3:i.call(this,arguments[1],arguments[2]);break;default:s=Array.prototype.slice.call(arguments,1),i.apply(this,s)}else if(a(i))for(s=Array.prototype.slice.call(arguments,1),u=i.slice(),n=u.length,l=0;l<n;l++)u[l].apply(this,s);return!0},i.prototype.addListener=function(t,e){var n;if(!r(e))throw TypeError("listener must be a function");return this._events||(this._events={}),this._events.newListener&&this.emit("newListener",t,r(e.listener)?e.listener:e),this._events[t]?a(this._events[t])?this._events[t].push(e):this._events[t]=[this._events[t],e]:this._events[t]=e,a(this._events[t])&&!this._events[t].warned&&(n=o(this._maxListeners)?i.defaultMaxListeners:this._maxListeners)&&n>0&&this._events[t].length>n&&(this._events[t].warned=!0,console.error("(node) warning: possible EventEmitter memory leak detected. %d listeners added. Use emitter.setMaxListeners() to increase limit.",this._events[t].length),"function"==typeof console.trace&&console.trace()),this},i.prototype.on=i.prototype.addListener,i.prototype.once=function(t,e){function i(){this.removeListener(t,i),n||(n=!0,e.apply(this,arguments))}if(!r(e))throw TypeError("listener must be a function");var n=!1;return i.listener=e,this.on(t,i),this},i.prototype.removeListener=function(t,e){var i,n,o,s;if(!r(e))throw TypeError("listener must be a function");if(!this._events||!this._events[t])return this;if(i=this._events[t],o=i.length,n=-1,i===e||r(i.listener)&&i.listener===e)delete this._events[t],this._events.removeListener&&this.emit("removeListener",t,e);else if(a(i)){for(s=o;s-- >0;)if(i[s]===e||i[s].listener&&i[s].listener===e){n=s;break}if(n<0)return this;1===i.length?(i.length=0,delete this._events[t]):i.splice(n,1),this._events.removeListener&&this.emit("removeListener",t,e)}return this},i.prototype.removeAllListeners=function(t){var e,i;if(!this._events)return this;if(!this._events.removeListener)return 0===arguments.length?this._events={}:this._events[t]&&delete this._events[t],this;if(0===arguments.length){for(e in this._events)"removeListener"!==e&&this.removeAllListeners(e);return this.removeAllListeners("removeListener"),this._events={},this}if(i=this._events[t],r(i))this.removeListener(t,i);else if(i)for(;i.length;)this.removeListener(t,i[i.length-1]);return delete this._events[t],this},i.prototype.listeners=function(t){return this._events&&this._events[t]?r(this._events[t])?[this._events[t]]:this._events[t].slice():[]},i.prototype.listenerCount=function(t){if(this._events){var e=this._events[t];if(r(e))return 1;if(e)return e.length}return 0},i.listenerCount=function(t,e){return t.listenerCount(e)}},function(t,e,i){"use strict";function r(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function n(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function a(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function o(t){var e=t.byteLength,i=e&&new DataView(t).getUint8(e-1);return i?t.slice(0,e-i):t}function s(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}var l=function(){function t(e,i){r(this,t),this.subtle=e,this.aesIV=i}return t.prototype.decrypt=function(t,e){return this.subtle.decrypt({name:"AES-CBC",iv:this.aesIV},e,t)},t}(),u=l,c=function(){function t(e,i){n(this,t),this.subtle=e,this.key=i}return t.prototype.expandKey=function(){return this.subtle.importKey("raw",this.key,{name:"AES-CBC"},!1,["encrypt","decrypt"])},t}(),d=c,h=function(){function t(){a(this,t),this.rcon=[0,1,2,4,8,16,32,64,128,27,54],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.initTable()}return t.prototype.uint8ArrayToUint32Array_=function(t){for(var e=new DataView(t),i=new Uint32Array(4),r=0;r<4;r++)i[r]=e.getUint32(4*r);return i},t.prototype.initTable=function(){var t=this.sBox,e=this.invSBox,i=this.subMix,r=i[0],n=i[1],a=i[2],o=i[3],s=this.invSubMix,l=s[0],u=s[1],c=s[2],d=s[3],h=new Uint32Array(256),f=0,p=0,g=0;for(g=0;g<256;g++)h[g]=g<128?g<<1:g<<1^283;for(g=0;g<256;g++){var y=p^p<<1^p<<2^p<<3^p<<4;y=y>>>8^255&y^99,t[f]=y,e[y]=f;var v=h[f],m=h[v],A=h[m],b=257*h[y]^16843008*y;r[f]=b<<24|b>>>8,n[f]=b<<16|b>>>16,a[f]=b<<8|b>>>24,o[f]=b,b=16843009*A^65537*m^257*v^16843008*f,l[y]=b<<24|b>>>8,u[y]=b<<16|b>>>16,c[y]=b<<8|b>>>24,d[y]=b,f?(f=v^h[h[h[A^v]]],p^=h[h[p]]):f=p=1}},t.prototype.expandKey=function(t){for(var e=this.uint8ArrayToUint32Array_(t),i=!0,r=0;r<e.length&&i;)i=e[r]===this.key[r],r++;if(!i){this.key=e;var n=this.keySize=e.length;if(4!==n&&6!==n&&8!==n)throw new Error("Invalid aes key size="+n);var a=this.ksRows=4*(n+6+1),o=void 0,s=void 0,l=this.keySchedule=new Uint32Array(a),u=this.invKeySchedule=new Uint32Array(a),c=this.sBox,d=this.rcon,h=this.invSubMix,f=h[0],p=h[1],g=h[2],y=h[3],v=void 0,m=void 0;for(o=0;o<a;o++)o<n?v=l[o]=e[o]:(m=v,o%n==0?(m=m<<8|m>>>24,m=c[m>>>24]<<24|c[m>>>16&255]<<16|c[m>>>8&255]<<8|c[255&m],m^=d[o/n|0]<<24):n>6&&o%n==4&&(m=c[m>>>24]<<24|c[m>>>16&255]<<16|c[m>>>8&255]<<8|c[255&m]),l[o]=v=(l[o-n]^m)>>>0);for(s=0;s<a;s++)o=a-s,m=3&s?l[o]:l[o-4],u[s]=s<4||o<=4?m:f[c[m>>>24]]^p[c[m>>>16&255]]^g[c[m>>>8&255]]^y[c[255&m]],u[s]=u[s]>>>0}},t.prototype.networkToHostOrderSwap=function(t){return t<<24|(65280&t)<<8|(16711680&t)>>8|t>>>24},t.prototype.decrypt=function(t,e,i,r){for(var n=this.keySize+6,a=this.invKeySchedule,s=this.invSBox,l=this.invSubMix,u=l[0],c=l[1],d=l[2],h=l[3],f=this.uint8ArrayToUint32Array_(i),p=f[0],g=f[1],y=f[2],v=f[3],m=new Int32Array(t),A=new Int32Array(m.length),b=void 0,_=void 0,E=void 0,T=void 0,S=void 0,L=void 0,R=void 0,k=void 0,w=void 0,C=void 0,I=void 0,O=void 0,D=void 0,P=void 0,x=this.networkToHostOrderSwap;e<m.length;){for(w=x(m[e]),C=x(m[e+1]),I=x(m[e+2]),O=x(m[e+3]),S=w^a[0],L=O^a[1],R=I^a[2],k=C^a[3],D=4,P=1;P<n;P++)b=u[S>>>24]^c[L>>16&255]^d[R>>8&255]^h[255&k]^a[D],_=u[L>>>24]^c[R>>16&255]^d[k>>8&255]^h[255&S]^a[D+1],E=u[R>>>24]^c[k>>16&255]^d[S>>8&255]^h[255&L]^a[D+2],T=u[k>>>24]^c[S>>16&255]^d[L>>8&255]^h[255&R]^a[D+3],S=b,L=_,R=E,k=T,D+=4;b=s[S>>>24]<<24^s[L>>16&255]<<16^s[R>>8&255]<<8^s[255&k]^a[D],_=s[L>>>24]<<24^s[R>>16&255]<<16^s[k>>8&255]<<8^s[255&S]^a[D+1],E=s[R>>>24]<<24^s[k>>16&255]<<16^s[S>>8&255]<<8^s[255&L]^a[D+2],T=s[k>>>24]<<24^s[S>>16&255]<<16^s[L>>8&255]<<8^s[255&R]^a[D+3],D+=3,A[e]=x(b^p),A[e+1]=x(T^g),A[e+2]=x(E^y),A[e+3]=x(_^v),p=w,g=C,y=I,v=O,e+=4}return r?o(A.buffer):A.buffer},t.prototype.destroy=function(){this.key=void 0,this.keySize=void 0,this.ksRows=void 0,this.sBox=void 0,this.invSBox=void 0,this.subMix=void 0,this.invSubMix=void 0,this.keySchedule=void 0,this.invKeySchedule=void 0,this.rcon=void 0},t}(),f=h,p=i(2),g=i(0),y=i(1),v=i(4),m=Object(v.a)(),A=function(){function t(e,i){var r=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{},n=r.removePKCS7Padding,a=void 0===n||n;if(s(this,t),this.logEnabled=!0,this.observer=e,this.config=i,this.removePKCS7Padding=a,a)try{var o=m.crypto;o&&(this.subtle=o.subtle||o.webkitSubtle)}catch(t){}this.disableWebCrypto=!this.subtle}return t.prototype.isSync=function(){return this.disableWebCrypto&&this.config.enableSoftwareAES},t.prototype.decrypt=function(t,e,i,r){var n=this;if(this.disableWebCrypto&&this.config.enableSoftwareAES){this.logEnabled&&(g.b.log("JS AES decrypt"),this.logEnabled=!1);var a=this.decryptor;a||(this.decryptor=a=new f),a.expandKey(e),r(a.decrypt(t,0,i,this.removePKCS7Padding))}else{this.logEnabled&&(g.b.log("WebCrypto AES decrypt"),this.logEnabled=!1);var o=this.subtle;this.key!==e&&(this.key=e,this.fastAesKey=new d(o,e)),this.fastAesKey.expandKey().then(function(a){new u(o,i).decrypt(t,a).catch(function(a){n.onWebCryptoError(a,t,e,i,r)}).then(function(t){r(t)})}).catch(function(a){n.onWebCryptoError(a,t,e,i,r)})}},t.prototype.onWebCryptoError=function(t,e,i,r,n){this.config.enableSoftwareAES?(g.b.log("WebCrypto Error, disable WebCrypto API"),this.disableWebCrypto=!0,this.logEnabled=!0,this.decrypt(e,i,r,n)):(g.b.error("decrypting error : "+t.message),this.observer.trigger(y.a.ERROR,{type:p.b.MEDIA_ERROR,details:p.a.FRAG_DECRYPT_ERROR,fatal:!0,reason:t.message}))},t.prototype.destroy=function(){var t=this.decryptor;t&&(t.destroy(),this.decryptor=void 0)},t}();e.a=A},function(t,e,i){"use strict";function r(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}var n=i(0),a=i(1),o=Math.pow(2,32)-1,s=function(){function t(e,i){r(this,t),this.observer=e,this.remuxer=i}return t.prototype.resetTimeStamp=function(t){this.initPTS=t},t.prototype.resetInitSegment=function(e,i,r,n){if(e&&e.byteLength){var o=this.initData=t.parseInitSegment(e);null==i&&(i="mp4a.40.5"),null==r&&(r="avc1.42e01e");var s={};o.audio&&o.video?s.audiovideo={container:"video/mp4",codec:i+","+r,initSegment:n?e:null}:(o.audio&&(s.audio={container:"audio/mp4",codec:i,initSegment:n?e:null}),o.video&&(s.video={container:"video/mp4",codec:r,initSegment:n?e:null})),this.observer.trigger(a.a.FRAG_PARSING_INIT_SEGMENT,{tracks:s})}else i&&(this.audioCodec=i),r&&(this.videoCodec=r)},t.probe=function(e){return t.findBox({data:e,start:0,end:Math.min(e.length,16384)},["moof"]).length>0},t.bin2str=function(t){return String.fromCharCode.apply(null,t)},t.readUint16=function(t,e){t.data&&(e+=t.start,t=t.data);var i=t[e]<<8|t[e+1];return i<0?65536+i:i},t.readUint32=function(t,e){t.data&&(e+=t.start,t=t.data);var i=t[e]<<24|t[e+1]<<16|t[e+2]<<8|t[e+3];return i<0?4294967296+i:i},t.writeUint32=function(t,e,i){t.data&&(e+=t.start,t=t.data),t[e]=i>>24,t[e+1]=i>>16&255,t[e+2]=i>>8&255,t[e+3]=255&i},t.findBox=function(e,i){var r=[],n=void 0,a=void 0,o=void 0,s=void 0,l=void 0,u=void 0,c=void 0;if(e.data?(u=e.start,s=e.end,e=e.data):(u=0,s=e.byteLength),!i.length)return null;for(n=u;n<s;)a=t.readUint32(e,n),o=t.bin2str(e.subarray(n+4,n+8)),c=a>1?n+a:s,o===i[0]&&(1===i.length?r.push({data:e,start:n+8,end:c}):(l=t.findBox({data:e,start:n+8,end:c},i.slice(1)),l.length&&(r=r.concat(l)))),n=c;return r},t.parseSegmentIndex=function(e){var i=t.findBox(e,["moov"])[0],r=i?i.end:null,n=0,a=t.findBox(e,["sidx"]),o=void 0;if(!a||!a[0])return null;o=[],a=a[0];var s=a.data[0];n=0===s?8:16;var l=t.readUint32(a,n);n+=4;n+=0===s?8:16,n+=2;var u=a.end+0,c=t.readUint16(a,n);n+=2;for(var d=0;d<c;d++){var h=n,f=t.readUint32(a,h);h+=4;var p=2147483647&f;if(1===(2147483648&f)>>>31)return void console.warn("SIDX has hierarchical references (not supported)");var g=t.readUint32(a,h);h+=4,o.push({referenceSize:p,subsegmentDuration:g,info:{duration:g/l,start:u,end:u+p-1}}),u+=p,h+=4,n=h}return{earliestPresentationTime:0,timescale:l,version:s,referencesCount:c,references:o,moovEndOffset:r}},t.parseInitSegment=function(e){var i=[];return t.findBox(e,["moov","trak"]).forEach(function(e){var r=t.findBox(e,["tkhd"])[0];if(r){var a=r.data[r.start],o=0===a?12:20,s=t.readUint32(r,o),l=t.findBox(e,["mdia","mdhd"])[0];if(l){a=l.data[l.start],o=0===a?12:20;var u=t.readUint32(l,o),c=t.findBox(e,["mdia","hdlr"])[0];if(c){var d=t.bin2str(c.data.subarray(c.start+8,c.start+12)),h={soun:"audio",vide:"video"}[d];if(h){var f=t.findBox(e,["mdia","minf","stbl","stsd"]);if(f.length){f=f[0];var p=t.bin2str(f.data.subarray(f.start+12,f.start+16));n.b.log("MP4Demuxer:"+h+":"+p+" found")}i[s]={timescale:u,type:h},i[h]={timescale:u,id:s}}}}}}),i},t.getStartDTS=function(e,i){var r=void 0,n=void 0,a=void 0;return r=t.findBox(i,["moof","traf"]),n=[].concat.apply([],r.map(function(i){return t.findBox(i,["tfhd"]).map(function(r){var n=void 0,a=void 0;return n=t.readUint32(r,4),a=e[n].timescale||9e4,t.findBox(i,["tfdt"]).map(function(e){var i=void 0,r=void 0;return i=e.data[e.start],r=t.readUint32(e,4),1===i&&(r*=Math.pow(2,32),r+=t.readUint32(e,8)),r})[0]/a})})),a=Math.min.apply(null,n),isFinite(a)?a:0},t.offsetStartDTS=function(e,i,r){t.findBox(i,["moof","traf"]).map(function(i){return t.findBox(i,["tfhd"]).map(function(n){var a=t.readUint32(n,4),s=e[a].timescale||9e4;t.findBox(i,["tfdt"]).map(function(e){var i=e.data[e.start],n=t.readUint32(e,4);if(0===i)t.writeUint32(e,4,n-r*s);else{n*=Math.pow(2,32),n+=t.readUint32(e,8),n-=r*s,n=Math.max(n,0);var a=Math.floor(n/(o+1)),l=Math.floor(n%(o+1));t.writeUint32(e,4,a),t.writeUint32(e,8,l)}})})})},t.prototype.append=function(e,i,r,n){var o=this.initData;o||(this.resetInitSegment(e,this.audioCodec,this.videoCodec,!1),o=this.initData);var s=void 0,l=this.initPTS;if(void 0===l){var u=t.getStartDTS(o,e);this.initPTS=l=u-i,this.observer.trigger(a.a.INIT_PTS_FOUND,{initPTS:l})}t.offsetStartDTS(o,e,l),s=t.getStartDTS(o,e),this.remuxer.remux(o.audio,o.video,null,null,s,r,n,e)},t.prototype.destroy=function(){},t}();e.a=s},function(t,e,i){"use strict";function r(t,e,i,r){var n=void 0,a=void 0,o=void 0,s=void 0,l=void 0,u=navigator.userAgent.toLowerCase(),c=r,d=[96e3,88200,64e3,48e3,44100,32e3,24e3,22050,16e3,12e3,11025,8e3,7350];return n=1+((192&e[i+2])>>>6),(a=(60&e[i+2])>>>2)>d.length-1?void t.trigger(T.a.ERROR,{type:S.b.MEDIA_ERROR,details:S.a.FRAG_PARSING_ERROR,fatal:!0,reason:"invalid ADTS sampling index:"+a}):(s=(1&e[i+2])<<2,s|=(192&e[i+3])>>>6,k.b.log("manifest codec:"+r+",ADTS data:type:"+n+",sampleingIndex:"+a+"["+d[a]+"Hz],channelConfig:"+s),/firefox/i.test(u)?a>=6?(n=5,l=new Array(4),o=a-3):(n=2,l=new Array(2),o=a):-1!==u.indexOf("android")?(n=2,l=new Array(2),o=a):(n=5,l=new Array(4),r&&(-1!==r.indexOf("mp4a.40.29")||-1!==r.indexOf("mp4a.40.5"))||!r&&a>=6?o=a-3:((r&&-1!==r.indexOf("mp4a.40.2")&&(a>=6&&1===s||/vivaldi/i.test(u))||!r&&1===s)&&(n=2,l=new Array(2)),o=a)),l[0]=n<<3,l[0]|=(14&a)>>1,l[1]|=(1&a)<<7,l[1]|=s<<3,5===n&&(l[1]|=(14&o)>>1,l[2]=(1&o)<<7,l[2]|=8,l[3]=0),{config:l,samplerate:d[a],channelCount:s,codec:"mp4a.40."+n,manifestCodec:c})}function n(t,e){return 255===t[e]&&240==(246&t[e+1])}function a(t,e){return 1&t[e+1]?7:9}function o(t,e){return(3&t[e+3])<<11|t[e+4]<<3|(224&t[e+5])>>>5}function s(t,e){return!!(e+1<t.length&&n(t,e))}function l(t,e){if(e+1<t.length&&n(t,e)){var i=a(t,e),r=i;e+5<t.length&&(r=o(t,e));var s=e+r;if(s===t.length||s+1<t.length&&n(t,s))return!0}return!1}function u(t,e,i,n,a){if(!t.samplerate){var o=r(e,i,n,a);t.config=o.config,t.samplerate=o.samplerate,t.channelCount=o.channelCount,t.codec=o.codec,t.manifestCodec=o.manifestCodec,k.b.log("parsed codec:"+t.codec+",rate:"+o.samplerate+",nb channel:"+o.channelCount)}}function c(t){return 9216e4/t}function d(t,e,i,r,n){var s=void 0,l=void 0,u=void 0,c=t.length;if(s=a(t,e),l=o(t,e),(l-=s)>0&&e+s+l<=c)return u=i+r*n,{headerLength:s,frameLength:l,stamp:u}}function h(t,e,i,r,n){var a=c(t.samplerate),o=d(e,i,r,n,a);if(o){var s=o.stamp,l=o.headerLength,u=o.frameLength,h={unit:e.subarray(i+l,i+l+u),pts:s,dts:s};return t.samples.push(h),t.len+=u,{sample:h,length:u+l}}}function f(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function p(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function g(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function y(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function v(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function m(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function A(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function b(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function _(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function E(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}var T=i(1),S=i(2),L=i(8),R=i(3),k=i(0),w=i(4),C=i(6),I=function(){function t(e,i,r){f(this,t),this.observer=e,this.config=r,this.remuxer=i}return t.prototype.resetInitSegment=function(t,e,i,r){this._audioTrack={container:"audio/adts",type:"audio",id:0,sequenceNumber:0,isAAC:!0,samples:[],len:0,manifestCodec:e,duration:r,inputTimeScale:9e4}},t.prototype.resetTimeStamp=function(){},t.probe=function(t){if(!t)return!1;for(var e=C.a.getID3Data(t,0)||[],i=e.length,r=t.length;i<r;i++)if(l(t,i))return k.b.log("ADTS sync word found !"),!0;return!1},t.prototype.append=function(t,e,i,r){for(var n=this._audioTrack,a=C.a.getID3Data(t,0)||[],o=C.a.getTimeStamp(a),l=Object(R.a)(o)?90*o:9e4*e,c=0,d=l,f=t.length,p=a.length,g=[{pts:d,dts:d,data:a}];p<f-1;)if(s(t,p)&&p+5<f){u(n,this.observer,t,p,n.manifestCodec);var y=h(n,t,p,l,c);if(!y){k.b.log("Unable to parse AAC frame");break}p+=y.length,d=y.sample.pts,c++}else C.a.isHeader(t,p)?(a=C.a.getID3Data(t,p),g.push({pts:d,dts:d,data:a}),p+=a.length):p++;this.remuxer.remux(n,{samples:[]},{samples:g,inputTimeScale:9e4},{samples:[]},e,i,r)},t.prototype.destroy=function(){},t}(),O=I,D=i(9),P={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],SamplingRateMap:[44100,48e3,32e3,22050,24e3,16e3,11025,12e3,8e3],SamplesCoefficients:[[0,72,144,12],[0,0,0,0],[0,72,144,12],[0,144,144,12]],BytesInSlot:[0,1,1,4],appendFrame:function(t,e,i,r,n){if(!(i+24>e.length)){var a=this.parseHeader(e,i);if(a&&i+a.frameLength<=e.length){var o=9e4*a.samplesPerFrame/a.sampleRate,s=r+n*o,l={unit:e.subarray(i,i+a.frameLength),pts:s,dts:s};return t.config=[],t.channelCount=a.channelCount,t.samplerate=a.sampleRate,t.samples.push(l),t.len+=a.frameLength,{sample:l,length:a.frameLength}}}},parseHeader:function(t,e){var i=t[e+1]>>3&3,r=t[e+1]>>1&3,n=t[e+2]>>4&15,a=t[e+2]>>2&3,o=t[e+2]>>1&1;if(1!==i&&0!==n&&15!==n&&3!==a){var s=3===i?3-r:3===r?3:4,l=1e3*P.BitratesMap[14*s+n-1],u=3===i?0:2===i?1:2,c=P.SamplingRateMap[3*u+a],d=t[e+3]>>6==3?1:2,h=P.SamplesCoefficients[i][r],f=P.BytesInSlot[r],p=8*h*f;return{sampleRate:c,channelCount:d,frameLength:parseInt(h*l/c+o,10)*f,samplesPerFrame:p}}},isHeaderPattern:function(t,e){return 255===t[e]&&224==(224&t[e+1])&&0!=(6&t[e+1])},isHeader:function(t,e){return!!(e+1<t.length&&this.isHeaderPattern(t,e))},probe:function(t,e){if(e+1<t.length&&this.isHeaderPattern(t,e)){var i=this.parseHeader(t,e),r=4;i&&i.frameLength&&(r=i.frameLength);var n=e+r;if(n===t.length||n+1<t.length&&this.isHeaderPattern(t,n))return!0}return!1}},x=P,M=function(){function t(e){p(this,t),this.data=e,this.bytesAvailable=e.byteLength,this.word=0,this.bitsAvailable=0}return t.prototype.loadWord=function(){var t=this.data,e=this.bytesAvailable,i=t.byteLength-e,r=new Uint8Array(4),n=Math.min(4,e);if(0===n)throw new Error("no bytes available");r.set(t.subarray(i,i+n)),this.word=new DataView(r.buffer).getUint32(0),this.bitsAvailable=8*n,this.bytesAvailable-=n},t.prototype.skipBits=function(t){var e=void 0;this.bitsAvailable>t?(this.word<<=t,this.bitsAvailable-=t):(t-=this.bitsAvailable,e=t>>3,t-=e>>3,this.bytesAvailable-=e,this.loadWord(),this.word<<=t,this.bitsAvailable-=t)},t.prototype.readBits=function(t){var e=Math.min(this.bitsAvailable,t),i=this.word>>>32-e;return t>32&&k.b.error("Cannot read more than 32 bits at a time"),this.bitsAvailable-=e,this.bitsAvailable>0?this.word<<=e:this.bytesAvailable>0&&this.loadWord(),e=t-e,e>0&&this.bitsAvailable?i<<e|this.readBits(e):i},t.prototype.skipLZ=function(){var t=void 0;for(t=0;t<this.bitsAvailable;++t)if(0!=(this.word&2147483648>>>t))return this.word<<=t,this.bitsAvailable-=t,t;return this.loadWord(),t+this.skipLZ()},t.prototype.skipUEG=function(){this.skipBits(1+this.skipLZ())},t.prototype.skipEG=function(){this.skipBits(1+this.skipLZ())},t.prototype.readUEG=function(){var t=this.skipLZ();return this.readBits(t+1)-1},t.prototype.readEG=function(){var t=this.readUEG();return 1&t?1+t>>>1:-1*(t>>>1)},t.prototype.readBoolean=function(){return 1===this.readBits(1)},t.prototype.readUByte=function(){return this.readBits(8)},t.prototype.readUShort=function(){return this.readBits(16)},t.prototype.readUInt=function(){return this.readBits(32)},t.prototype.skipScalingList=function(t){var e=8,i=8,r=void 0,n=void 0;for(r=0;r<t;r++)0!==i&&(n=this.readEG(),i=(e+n+256)%256),e=0===i?e:i},t.prototype.readSPS=function(){var t=0,e=0,i=0,r=0,n=void 0,a=void 0,o=void 0,s=void 0,l=void 0,u=void 0,c=void 0,d=this.readUByte.bind(this),h=this.readBits.bind(this),f=this.readUEG.bind(this),p=this.readBoolean.bind(this),g=this.skipBits.bind(this),y=this.skipEG.bind(this),v=this.skipUEG.bind(this),m=this.skipScalingList.bind(this);if(d(),n=d(),h(5),g(3),d(),v(),100===n||110===n||122===n||244===n||44===n||83===n||86===n||118===n||128===n){var A=f();if(3===A&&g(1),v(),v(),g(1),p())for(u=3!==A?8:12,c=0;c<u;c++)p()&&m(c<6?16:64)}v();var b=f();if(0===b)f();else if(1===b)for(g(1),y(),y(),a=f(),c=0;c<a;c++)y();v(),g(1),o=f(),s=f(),l=h(1),0===l&&g(1),g(1),p()&&(t=f(),e=f(),i=f(),r=f());var _=[1,1];if(p()&&p()){switch(d()){case 1:_=[1,1];break;case 2:_=[12,11];break;case 3:_=[10,11];break;case 4:_=[16,11];break;case 5:_=[40,33];break;case 6:_=[24,11];break;case 7:_=[20,11];break;case 8:_=[32,11];break;case 9:_=[80,33];break;case 10:_=[18,11];break;case 11:_=[15,11];break;case 12:_=[64,33];break;case 13:_=[160,99];break;case 14:_=[4,3];break;case 15:_=[3,2];break;case 16:_=[2,1];break;case 255:_=[d()<<8|d(),d()<<8|d()]}}return{width:Math.ceil(16*(o+1)-2*t-2*e),height:(2-l)*(s+1)*16-(l?2:4)*(i+r),pixelRatio:_}},t.prototype.readSliceType=function(){return this.readUByte(),this.readUEG(),this.readUEG()},t}(),N=M,F=function(){function t(e,i,r,n){g(this,t),this.decryptdata=r,this.discardEPB=n,this.decrypter=new L.a(e,i,{removePKCS7Padding:!1})}return t.prototype.decryptBuffer=function(t,e){this.decrypter.decrypt(t,this.decryptdata.key.buffer,this.decryptdata.iv.buffer,e)},t.prototype.decryptAacSample=function(t,e,i,r){var n=t[e].unit,a=n.subarray(16,n.length-n.length%16),o=a.buffer.slice(a.byteOffset,a.byteOffset+a.length),s=this;this.decryptBuffer(o,function(a){a=new Uint8Array(a),n.set(a,16),r||s.decryptAacSamples(t,e+1,i)})},t.prototype.decryptAacSamples=function(t,e,i){for(;;e++){if(e>=t.length)return void i();if(!(t[e].unit.length<32)){var r=this.decrypter.isSync();if(this.decryptAacSample(t,e,i,r),!r)return}}},t.prototype.getAvcEncryptedData=function(t){for(var e=16*Math.floor((t.length-48)/160)+16,i=new Int8Array(e),r=0,n=32;n<=t.length-16;n+=160,r+=16)i.set(t.subarray(n,n+16),r);return i},t.prototype.getAvcDecryptedUnit=function(t,e){e=new Uint8Array(e);for(var i=0,r=32;r<=t.length-16;r+=160,i+=16)t.set(e.subarray(i,i+16),r);return t},t.prototype.decryptAvcSample=function(t,e,i,r,n,a){var o=this.discardEPB(n.data),s=this.getAvcEncryptedData(o),l=this;this.decryptBuffer(s.buffer,function(s){n.data=l.getAvcDecryptedUnit(o,s),a||l.decryptAvcSamples(t,e,i+1,r)})},t.prototype.decryptAvcSamples=function(t,e,i,r){for(;;e++,i=0){if(e>=t.length)return void r();for(var n=t[e].units;!(i>=n.length);i++){var a=n[i];if(!(a.length<=48||1!==a.type&&5!==a.type)){var o=this.decrypter.isSync();if(this.decryptAvcSample(t,e,i,r,a,o),!o)return}}}},t}(),B=F,U={video:1,audio:2,id3:3,text:4},G=function(){function t(e,i,r,n){y(this,t),this.observer=e,this.config=r,this.typeSupported=n,this.remuxer=i,this.sampleAes=null}return t.prototype.setDecryptData=function(t){null!=t&&null!=t.key&&"SAMPLE-AES"===t.method?this.sampleAes=new B(this.observer,this.config,t,this.discardEPB):this.sampleAes=null},t.probe=function(e){var i=t._syncOffset(e);return!(i<0)&&(i&&k.b.warn("MPEG2-TS detected but first sync word found @ offset "+i+", junk ahead ?"),!0)},t._syncOffset=function(t){for(var e=Math.min(1e3,t.length-564),i=0;i<e;){if(71===t[i]&&71===t[i+188]&&71===t[i+376])return i;i++}return-1},t.createTrack=function(t,e){return{container:"video"===t||"audio"===t?"video/mp2t":void 0,type:t,id:U[t],pid:-1,inputTimeScale:9e4,sequenceNumber:0,samples:[],len:0,dropped:"video"===t?0:void 0,isAAC:"audio"===t||void 0,duration:"audio"===t?e:void 0}},t.prototype.resetInitSegment=function(e,i,r,n){this.pmtParsed=!1,this._pmtId=-1,this._avcTrack=t.createTrack("video",n),this._audioTrack=t.createTrack("audio",n),this._id3Track=t.createTrack("id3",n),this._txtTrack=t.createTrack("text",n),this.aacOverFlow=null,this.aacLastPTS=null,this.avcSample=null,this.audioCodec=i,this.videoCodec=r,this._duration=n},t.prototype.resetTimeStamp=function(){},t.prototype.append=function(e,i,r,n){var a=void 0,o=e.length,s=void 0,l=void 0,u=void 0,c=void 0,d=!1;this.contiguous=r;var h=this.pmtParsed,f=this._avcTrack,p=this._audioTrack,g=this._id3Track,y=f.pid,v=p.pid,m=g.pid,A=this._pmtId,b=f.pesData,_=p.pesData,E=g.pesData,L=this._parsePAT,R=this._parsePMT,w=this._parsePES,C=this._parseAVCPES.bind(this),I=this._parseAACPES.bind(this),O=this._parseMPEGPES.bind(this),D=this._parseID3PES.bind(this),P=t._syncOffset(e);for(o-=(o+P)%188,a=P;a<o;a+=188)if(71===e[a]){if(s=!!(64&e[a+1]),l=((31&e[a+1])<<8)+e[a+2],(48&e[a+3])>>4>1){if((u=a+5+e[a+4])===a+188)continue}else u=a+4;switch(l){case y:s&&(b&&(c=w(b))&&void 0!==c.pts&&C(c,!1),b={data:[],size:0}),b&&(b.data.push(e.subarray(u,a+188)),b.size+=a+188-u);break;case v:s&&(_&&(c=w(_))&&void 0!==c.pts&&(p.isAAC?I(c):O(c)),_={data:[],size:0}),_&&(_.data.push(e.subarray(u,a+188)),_.size+=a+188-u);break;case m:s&&(E&&(c=w(E))&&void 0!==c.pts&&D(c),E={data:[],size:0}),E&&(E.data.push(e.subarray(u,a+188)),E.size+=a+188-u);break;case 0:s&&(u+=e[u]+1),A=this._pmtId=L(e,u);break;case A:s&&(u+=e[u]+1);var x=R(e,u,!0===this.typeSupported.mpeg||!0===this.typeSupported.mp3,null!=this.sampleAes);y=x.avc,y>0&&(f.pid=y),v=x.audio,v>0&&(p.pid=v,p.isAAC=x.isAAC),m=x.id3,m>0&&(g.pid=m),d&&!h&&(k.b.log("reparse from beginning"),d=!1,a=P-188),h=this.pmtParsed=!0;break;case 17:case 8191:break;default:d=!0}}else this.observer.trigger(T.a.ERROR,{type:S.b.MEDIA_ERROR,details:S.a.FRAG_PARSING_ERROR,fatal:!1,reason:"TS packet did not start with 0x47"});b&&(c=w(b))&&void 0!==c.pts?(C(c,!0),f.pesData=null):f.pesData=b,_&&(c=w(_))&&void 0!==c.pts?(p.isAAC?I(c):O(c),p.pesData=null):(_&&_.size&&k.b.log("last AAC PES packet truncated,might overlap between fragments"),p.pesData=_),E&&(c=w(E))&&void 0!==c.pts?(D(c),g.pesData=null):g.pesData=E,null==this.sampleAes?this.remuxer.remux(p,f,g,this._txtTrack,i,r,n):this.decryptAndRemux(p,f,g,this._txtTrack,i,r,n)},t.prototype.decryptAndRemux=function(t,e,i,r,n,a,o){if(t.samples&&t.isAAC){var s=this;this.sampleAes.decryptAacSamples(t.samples,0,function(){s.decryptAndRemuxAvc(t,e,i,r,n,a,o)})}else this.decryptAndRemuxAvc(t,e,i,r,n,a,o)},t.prototype.decryptAndRemuxAvc=function(t,e,i,r,n,a,o){if(e.samples){var s=this;this.sampleAes.decryptAvcSamples(e.samples,0,0,function(){s.remuxer.remux(t,e,i,r,n,a,o)})}else this.remuxer.remux(t,e,i,r,n,a,o)},t.prototype.destroy=function(){this._initPTS=this._initDTS=void 0,this._duration=0},t.prototype._parsePAT=function(t,e){return(31&t[e+10])<<8|t[e+11]},t.prototype._parsePMT=function(t,e,i,r){var n=void 0,a=void 0,o=void 0,s=void 0,l={audio:-1,avc:-1,id3:-1,isAAC:!0};for(n=(15&t[e+1])<<8|t[e+2],a=e+3+n-4,o=(15&t[e+10])<<8|t[e+11],e+=12+o;e<a;){switch(s=(31&t[e+1])<<8|t[e+2],t[e]){case 207:if(!r){k.b.log("unkown stream type:"+t[e]);break}case 15:-1===l.audio&&(l.audio=s);break;case 21:-1===l.id3&&(l.id3=s);break;case 219:if(!r){k.b.log("unkown stream type:"+t[e]);break}case 27:-1===l.avc&&(l.avc=s);break;case 3:case 4:i?-1===l.audio&&(l.audio=s,l.isAAC=!1):k.b.log("MPEG audio found, not supported in this browser for now");break;case 36:k.b.warn("HEVC stream type found, not supported for now");break;default:k.b.log("unkown stream type:"+t[e])}e+=5+((15&t[e+3])<<8|t[e+4])}return l},t.prototype._parsePES=function(t){var e=0,i=void 0,r=void 0,n=void 0,a=void 0,o=void 0,s=void 0,l=void 0,u=void 0,c=t.data;if(!t||0===t.size)return null;for(;c[0].length<19&&c.length>1;){var d=new Uint8Array(c[0].length+c[1].length);d.set(c[0]),d.set(c[1],c[0].length),c[0]=d,c.splice(1,1)}if(i=c[0],1===(i[0]<<16)+(i[1]<<8)+i[2]){if((n=(i[4]<<8)+i[5])&&n>t.size-6)return null;r=i[7],192&r&&(s=536870912*(14&i[9])+4194304*(255&i[10])+16384*(254&i[11])+128*(255&i[12])+(254&i[13])/2,s>4294967295&&(s-=8589934592),64&r?(l=536870912*(14&i[14])+4194304*(255&i[15])+16384*(254&i[16])+128*(255&i[17])+(254&i[18])/2,l>4294967295&&(l-=8589934592),s-l>54e5&&(k.b.warn(Math.round((s-l)/9e4)+"s delta between PTS and DTS, align them"),s=l)):l=s),a=i[8],u=a+9,t.size-=u,o=new Uint8Array(t.size);for(var h=0,f=c.length;h<f;h++){i=c[h];var p=i.byteLength;if(u){if(u>p){u-=p;continue}i=i.subarray(u),p-=u,u=0}o.set(i,e),e+=p}return n&&(n-=a+3),{data:o,pts:s,dts:l,len:n}}return null},t.prototype.pushAccesUnit=function(t,e){if(t.units.length&&t.frame){var i=e.samples,r=i.length;!this.config.forceKeyFrameOnDiscontinuity||!0===t.key||e.sps&&(r||this.contiguous)?(t.id=r,i.push(t)):e.dropped++}t.debug.length&&k.b.log(t.pts+"/"+t.dts+":"+t.debug)},t.prototype._parseAVCPES=function(t,e){var i=this,r=this._avcTrack,n=this._parseAVCNALu(t.data),a=void 0,o=this.avcSample,s=void 0,l=!1,u=void 0,c=this.pushAccesUnit.bind(this),d=function(t,e,i,r){return{key:t,pts:e,dts:i,units:[],debug:r}};t.data=null,o&&n.length&&!r.audFound&&(c(o,r),o=this.avcSample=d(!1,t.pts,t.dts,"")),n.forEach(function(e){switch(e.type){case 1:s=!0,o||(o=i.avcSample=d(!0,t.pts,t.dts,"")),o.frame=!0;var n=e.data;if(l&&n.length>4){var h=new N(n).readSliceType();2!==h&&4!==h&&7!==h&&9!==h||(o.key=!0)}break;case 5:s=!0,o||(o=i.avcSample=d(!0,t.pts,t.dts,"")),o.key=!0,o.frame=!0;break;case 6:s=!0,a=new N(i.discardEPB(e.data)),a.readUByte();for(var f=0,p=0,g=!1,y=0;!g&&a.bytesAvailable>1;){f=0;do{y=a.readUByte(),f+=y}while(255===y);p=0;do{y=a.readUByte(),p+=y}while(255===y);if(4===f&&0!==a.bytesAvailable){g=!0;if(181===a.readUByte()){if(49===a.readUShort()){if(1195456820===a.readUInt()){if(3===a.readUByte()){var v=a.readUByte(),m=a.readUByte(),A=31&v,b=[v,m];for(u=0;u<A;u++)b.push(a.readUByte()),b.push(a.readUByte()),b.push(a.readUByte());i._insertSampleInOrder(i._txtTrack.samples,{type:3,pts:t.pts,bytes:b})}}}}}else if(p<a.bytesAvailable)for(u=0;u<p;u++)a.readUByte()}break;case 7:if(s=!0,l=!0,!r.sps){a=new N(e.data);var _=a.readSPS();r.width=_.width,r.height=_.height,r.pixelRatio=_.pixelRatio,r.sps=[e.data],r.duration=i._duration;var E=e.data.subarray(1,4),T="avc1.";for(u=0;u<3;u++){var S=E[u].toString(16);S.length<2&&(S="0"+S),T+=S}r.codec=T}break;case 8:s=!0,r.pps||(r.pps=[e.data]);break;case 9:s=!1,r.audFound=!0,o&&c(o,r),o=i.avcSample=d(!1,t.pts,t.dts,"");break;case 12:s=!1;break;default:s=!1,o&&(o.debug+="unknown NAL "+e.type+" ")}if(o&&s){o.units.push(e)}}),e&&o&&(c(o,r),this.avcSample=null)},t.prototype._insertSampleInOrder=function(t,e){var i=t.length;if(i>0){if(e.pts>=t[i-1].pts)t.push(e);else for(var r=i-1;r>=0;r--)if(e.pts<t[r].pts){t.splice(r,0,e);break}}else t.push(e)},t.prototype._getLastNalUnit=function(){var t=this.avcSample,e=void 0;if(!t||0===t.units.length){var i=this._avcTrack,r=i.samples;t=r[r.length-1]}if(t){var n=t.units;e=n[n.length-1]}return e},t.prototype._parseAVCNALu=function(t){var e=0,i=t.byteLength,r=void 0,n=void 0,a=this._avcTrack,o=a.naluState||0,s=o,l=[],u=void 0,c=void 0,d=-1,h=void 0;for(-1===o&&(d=0,h=31&t[0],o=0,e=1);e<i;)if(r=t[e++],o)if(1!==o)if(r)if(1===r){if(d>=0)u={data:t.subarray(d,e-o-1),type:h},l.push(u);else{var f=this._getLastNalUnit();if(f&&(s&&e<=4-s&&f.state&&(f.data=f.data.subarray(0,f.data.byteLength-s)),(n=e-o-1)>0)){var p=new Uint8Array(f.data.byteLength+n);p.set(f.data,0),p.set(t.subarray(0,n),f.data.byteLength),f.data=p}}e<i?(c=31&t[e],d=e,h=c,o=0):o=-1}else o=0;else o=3;else o=r?0:2;else o=r?0:1;if(d>=0&&o>=0&&(u={data:t.subarray(d,i),type:h,state:o},l.push(u)),0===l.length){var g=this._getLastNalUnit();if(g){var y=new Uint8Array(g.data.byteLength+t.byteLength);y.set(g.data,0),y.set(t,g.data.byteLength),g.data=y}}return a.naluState=o,l},t.prototype.discardEPB=function(t){for(var e=t.byteLength,i=[],r=1,n=void 0,a=void 0;r<e-2;)0===t[r]&&0===t[r+1]&&3===t[r+2]?(i.push(r+2),r+=2):r++;if(0===i.length)return t;n=e-i.length,a=new Uint8Array(n);var o=0;for(r=0;r<n;o++,r++)o===i[0]&&(o++,i.shift()),a[r]=t[o];return a},t.prototype._parseAACPES=function(t){var e=this._audioTrack,i=t.data,r=t.pts,n=this.aacOverFlow,a=this.aacLastPTS,o=void 0,l=void 0,d=void 0,f=void 0,p=void 0;if(n){var g=new Uint8Array(n.byteLength+i.byteLength);g.set(n,0),g.set(i,n.byteLength),i=g}for(d=0,p=i.length;d<p-1&&!s(i,d);d++);if(d){var y=void 0,v=void 0;if(d<p-1?(y="AAC PES did not start with ADTS header,offset:"+d,v=!1):(y="no ADTS header found in AAC PES",v=!0),k.b.warn("parsing error:"+y),this.observer.trigger(T.a.ERROR,{type:S.b.MEDIA_ERROR,details:S.a.FRAG_PARSING_ERROR,fatal:v,reason:y}),v)return}if(u(e,this.observer,i,d,this.audioCodec),l=0,o=c(e.samplerate),n&&a){var m=a+o;Math.abs(m-r)>1&&(k.b.log("AAC: align PTS for overlapping frames by "+Math.round((m-r)/90)),r=m)}for(;d<p;)if(s(i,d)&&d+5<p){var A=h(e,i,d,r,l);if(!A)break;d+=A.length,f=A.sample.pts,l++}else d++;n=d<p?i.subarray(d,p):null,this.aacOverFlow=n,this.aacLastPTS=f},t.prototype._parseMPEGPES=function(t){for(var e=t.data,i=e.length,r=0,n=0,a=t.pts;n<i;)if(x.isHeader(e,n)){var o=x.appendFrame(this._audioTrack,e,n,a,r);if(!o)break;n+=o.length,r++}else n++},t.prototype._parseID3PES=function(t){this._id3Track.samples.push(t)},t}(),K=G,j=function(){function t(e,i,r){v(this,t),this.observer=e,this.config=r,this.remuxer=i}return t.prototype.resetInitSegment=function(t,e,i,r){this._audioTrack={container:"audio/mpeg",type:"audio",id:-1,sequenceNumber:0,isAAC:!1,samples:[],len:0,manifestCodec:e,duration:r,inputTimeScale:9e4}},t.prototype.resetTimeStamp=function(){},t.probe=function(t){var e=void 0,i=void 0,r=C.a.getID3Data(t,0);if(r&&void 0!==C.a.getTimeStamp(r))for(e=r.length,i=Math.min(t.length-1,e+100);e<i;e++)if(x.probe(t,e))return k.b.log("MPEG Audio sync word found !"),!0;return!1},t.prototype.append=function(t,e,i,r){for(var n=C.a.getID3Data(t,0),a=C.a.getTimeStamp(n),o=a?90*a:9e4*e,s=n.length,l=t.length,u=0,c=0,d=this._audioTrack,h=[{pts:o,dts:o,data:n}];s<l;)if(x.isHeader(t,s)){var f=x.appendFrame(d,t,s,o,u);if(!f)break;s+=f.length,c=f.sample.pts,u++}else C.a.isHeader(t,s)?(n=C.a.getID3Data(t,s),h.push({pts:c,dts:c,data:n}),s+=n.length):s++;this.remuxer.remux(d,{samples:[]},{samples:h,inputTimeScale:9e4},{samples:[]},e,i,r)},t.prototype.destroy=function(){},t}(),V=j,Y=function(){function t(){m(this,t)}return t.getSilentFrame=function(t,e){switch(t){case"mp4a.40.2":if(1===e)return new Uint8Array([0,200,0,128,35,128]);if(2===e)return new Uint8Array([33,0,73,144,2,25,0,35,128]);if(3===e)return new Uint8Array([0,200,0,128,32,132,1,38,64,8,100,0,142]);if(4===e)return new Uint8Array([0,200,0,128,32,132,1,38,64,8,100,0,128,44,128,8,2,56]);if(5===e)return new Uint8Array([0,200,0,128,32,132,1,38,64,8,100,0,130,48,4,153,0,33,144,2,56]);if(6===e)return new Uint8Array([0,200,0,128,32,132,1,38,64,8,100,0,130,48,4,153,0,33,144,2,0,178,0,32,8,224]);break;default:if(1===e)return new Uint8Array([1,64,34,128,163,78,230,128,186,8,0,0,0,28,6,241,193,10,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,94]);if(2===e)return new Uint8Array([1,64,34,128,163,94,230,128,186,8,0,0,0,0,149,0,6,241,161,10,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,94]);if(3===e)return new Uint8Array([1,64,34,128,163,94,230,128,186,8,0,0,0,0,149,0,6,241,161,10,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,94])}return null},t}(),H=Y,$=Math.pow(2,32)-1,W=function(){function t(){A(this,t)}return t.init=function(){t.types={avc1:[],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 e=void 0;for(e in t.types)t.types.hasOwnProperty(e)&&(t.types[e]=[e.charCodeAt(0),e.charCodeAt(1),e.charCodeAt(2),e.charCodeAt(3)]);var i=new Uint8Array([0,0,0,0,0,0,0,0,118,105,100,101,0,0,0,0,0,0,0,0,0,0,0,0,86,105,100,101,111,72,97,110,100,108,101,114,0]),r=new Uint8Array([0,0,0,0,0,0,0,0,115,111,117,110,0,0,0,0,0,0,0,0,0,0,0,0,83,111,117,110,100,72,97,110,100,108,101,114,0]);t.HDLR_TYPES={video:i,audio:r};var n=new Uint8Array([0,0,0,0,0,0,0,1,0,0,0,12,117,114,108,32,0,0,0,1]),a=new Uint8Array([0,0,0,0,0,0,0,0]);t.STTS=t.STSC=t.STCO=a,t.STSZ=new Uint8Array([0,0,0,0,0,0,0,0,0,0,0,0]),t.VMHD=new Uint8Array([0,0,0,1,0,0,0,0,0,0,0,0]),t.SMHD=new Uint8Array([0,0,0,0,0,0,0,0]),t.STSD=new Uint8Array([0,0,0,0,0,0,0,1]);var o=new Uint8Array([105,115,111,109]),s=new Uint8Array([97,118,99,49]),l=new Uint8Array([0,0,0,1]);t.FTYP=t.box(t.types.ftyp,o,l,o,s),t.DINF=t.box(t.types.dinf,t.box(t.types.dref,n))},t.box=function(t){for(var e=Array.prototype.slice.call(arguments,1),i=8,r=e.length,n=r,a=void 0;r--;)i+=e[r].byteLength;for(a=new Uint8Array(i),a[0]=i>>24&255,a[1]=i>>16&255,a[2]=i>>8&255,a[3]=255&i,a.set(t,4),r=0,i=8;r<n;r++)a.set(e[r],i),i+=e[r].byteLength;return a},t.hdlr=function(e){return t.box(t.types.hdlr,t.HDLR_TYPES[e])},t.mdat=function(e){return t.box(t.types.mdat,e)},t.mdhd=function(e,i){i*=e;var r=Math.floor(i/($+1)),n=Math.floor(i%($+1));return t.box(t.types.mdhd,new Uint8Array([1,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,3,e>>24&255,e>>16&255,e>>8&255,255&e,r>>24,r>>16&255,r>>8&255,255&r,n>>24,n>>16&255,n>>8&255,255&n,85,196,0,0]))},t.mdia=function(e){return t.box(t.types.mdia,t.mdhd(e.timescale,e.duration),t.hdlr(e.type),t.minf(e))},t.mfhd=function(e){return t.box(t.types.mfhd,new Uint8Array([0,0,0,0,e>>24,e>>16&255,e>>8&255,255&e]))},t.minf=function(e){return"audio"===e.type?t.box(t.types.minf,t.box(t.types.smhd,t.SMHD),t.DINF,t.stbl(e)):t.box(t.types.minf,t.box(t.types.vmhd,t.VMHD),t.DINF,t.stbl(e))},t.moof=function(e,i,r){return t.box(t.types.moof,t.mfhd(e),t.traf(r,i))},t.moov=function(e){for(var i=e.length,r=[];i--;)r[i]=t.trak(e[i]);return t.box.apply(null,[t.types.moov,t.mvhd(e[0].timescale,e[0].duration)].concat(r).concat(t.mvex(e)))},t.mvex=function(e){for(var i=e.length,r=[];i--;)r[i]=t.trex(e[i]);return t.box.apply(null,[t.types.mvex].concat(r))},t.mvhd=function(e,i){i*=e;var r=Math.floor(i/($+1)),n=Math.floor(i%($+1)),a=new Uint8Array([1,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,3,e>>24&255,e>>16&255,e>>8&255,255&e,r>>24,r>>16&255,r>>8&255,255&r,n>>24,n>>16&255,n>>8&255,255&n,0,1,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,64,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,255,255,255,255]);return t.box(t.types.mvhd,a)},t.sdtp=function(e){var i=e.samples||[],r=new Uint8Array(4+i.length),n=void 0,a=void 0;for(a=0;a<i.length;a++)n=i[a].flags,r[a+4]=n.dependsOn<<4|n.isDependedOn<<2|n.hasRedundancy;return t.box(t.types.sdtp,r)},t.stbl=function(e){return t.box(t.types.stbl,t.stsd(e),t.box(t.types.stts,t.STTS),t.box(t.types.stsc,t.STSC),t.box(t.types.stsz,t.STSZ),t.box(t.types.stco,t.STCO))},t.avc1=function(e){var i=[],r=[],n=void 0,a=void 0,o=void 0;for(n=0;n<e.sps.length;n++)a=e.sps[n],o=a.byteLength,i.push(o>>>8&255),i.push(255&o),i=i.concat(Array.prototype.slice.call(a));for(n=0;n<e.pps.length;n++)a=e.pps[n],o=a.byteLength,r.push(o>>>8&255),r.push(255&o),r=r.concat(Array.prototype.slice.call(a));var s=t.box(t.types.avcC,new Uint8Array([1,i[3],i[4],i[5],255,224|e.sps.length].concat(i).concat([e.pps.length]).concat(r))),l=e.width,u=e.height,c=e.pixelRatio[0],d=e.pixelRatio[1];return t.box(t.types.avc1,new Uint8Array([0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,l>>8&255,255&l,u>>8&255,255&u,0,72,0,0,0,72,0,0,0,0,0,0,0,1,18,100,97,105,108,121,109,111,116,105,111,110,47,104,108,115,46,106,115,0,0,0,0,0,0,0,0,0,0,0,0,0,0,24,17,17]),s,t.box(t.types.btrt,new Uint8Array([0,28,156,128,0,45,198,192,0,45,198,192])),t.box(t.types.pasp,new Uint8Array([c>>24,c>>16&255,c>>8&255,255&c,d>>24,d>>16&255,d>>8&255,255&d])))},t.esds=function(t){var e=t.config.length;return new Uint8Array([0,0,0,0,3,23+e,0,1,0,4,15+e,64,21,0,0,0,0,0,0,0,0,0,0,0,5].concat([e]).concat(t.config).concat([6,1,2]))},t.mp4a=function(e){var i=e.samplerate;return t.box(t.types.mp4a,new Uint8Array([0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,e.channelCount,0,16,0,0,0,0,i>>8&255,255&i,0,0]),t.box(t.types.esds,t.esds(e)))},t.mp3=function(e){var i=e.samplerate;return t.box(t.types[".mp3"],new Uint8Array([0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,e.channelCount,0,16,0,0,0,0,i>>8&255,255&i,0,0]))},t.stsd=function(e){return"audio"===e.type?e.isAAC||"mp3"!==e.codec?t.box(t.types.stsd,t.STSD,t.mp4a(e)):t.box(t.types.stsd,t.STSD,t.mp3(e)):t.box(t.types.stsd,t.STSD,t.avc1(e))},t.tkhd=function(e){var i=e.id,r=e.duration*e.timescale,n=e.width,a=e.height,o=Math.floor(r/($+1)),s=Math.floor(r%($+1));return t.box(t.types.tkhd,new Uint8Array([1,0,0,7,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,3,i>>24&255,i>>16&255,i>>8&255,255&i,0,0,0,0,o>>24,o>>16&255,o>>8&255,255&o,s>>24,s>>16&255,s>>8&255,255&s,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,64,0,0,0,n>>8&255,255&n,0,0,a>>8&255,255&a,0,0]))},t.traf=function(e,i){var r=t.sdtp(e),n=e.id,a=Math.floor(i/($+1)),o=Math.floor(i%($+1));return t.box(t.types.traf,t.box(t.types.tfhd,new Uint8Array([0,0,0,0,n>>24,n>>16&255,n>>8&255,255&n])),t.box(t.types.tfdt,new Uint8Array([1,0,0,0,a>>24,a>>16&255,a>>8&255,255&a,o>>24,o>>16&255,o>>8&255,255&o])),t.trun(e,r.length+16+20+8+16+8+8),r)},t.trak=function(e){return e.duration=e.duration||4294967295,t.box(t.types.trak,t.tkhd(e),t.mdia(e))},t.trex=function(e){var i=e.id;return t.box(t.types.trex,new Uint8Array([0,0,0,0,i>>24,i>>16&255,i>>8&255,255&i,0,0,0,1,0,0,0,0,0,0,0,0,0,1,0,1]))},t.trun=function(e,i){var r=e.samples||[],n=r.length,a=12+16*n,o=new Uint8Array(a),s=void 0,l=void 0,u=void 0,c=void 0,d=void 0,h=void 0;for(i+=8+a,o.set([0,0,15,1,n>>>24&255,n>>>16&255,n>>>8&255,255&n,i>>>24&255,i>>>16&255,i>>>8&255,255&i],0),s=0;s<n;s++)l=r[s],u=l.duration,c=l.size,d=l.flags,h=l.cts,o.set([u>>>24&255,u>>>16&255,u>>>8&255,255&u,c>>>24&255,c>>>16&255,c>>>8&255,255&c,d.isLeading<<2|d.dependsOn,d.isDependedOn<<6|d.hasRedundancy<<4|d.paddingValue<<1|d.isNonSync,61440&d.degradPrio,15&d.degradPrio,h>>>24&255,h>>>16&255,h>>>8&255,255&h],12+16*s);return t.box(t.types.trun,o)},t.initSegment=function(e){t.types||t.init();var i=t.moov(e),r=void 0;return r=new Uint8Array(t.FTYP.byteLength+i.byteLength),r.set(t.FTYP),r.set(i,t.FTYP.byteLength),r},t}(),z=W,q=function(){function t(e,i,r,n){b(this,t),this.observer=e,this.config=i,this.typeSupported=r;var a=navigator.userAgent;this.isSafari=n&&n.indexOf("Apple")>-1&&a&&!a.match("CriOS"),this.ISGenerated=!1}return t.prototype.destroy=function(){},t.prototype.resetTimeStamp=function(t){this._initPTS=this._initDTS=t},t.prototype.resetInitSegment=function(){this.ISGenerated=!1},t.prototype.remux=function(t,e,i,r,n,a,o){if(this.ISGenerated||this.generateIS(t,e,n),this.ISGenerated){var s=t.samples.length,l=e.samples.length,u=n,c=n;if(s&&l){var d=(t.samples[0].dts-e.samples[0].dts)/e.inputTimeScale;u+=Math.max(0,d),c+=Math.max(0,-d)}if(s){t.timescale||(k.b.warn("regenerate InitSegment as audio detected"),this.generateIS(t,e,n));var h=this.remuxAudio(t,u,a,o);if(l){var f=void 0;h&&(f=h.endPTS-h.startPTS),e.timescale||(k.b.warn("regenerate InitSegment as video detected"),this.generateIS(t,e,n)),this.remuxVideo(e,c,a,f,o)}}else if(l){var p=this.remuxVideo(e,c,a,0,o);p&&t.codec&&this.remuxEmptyAudio(t,u,a,p)}}i.samples.length&&this.remuxID3(i,n),r.samples.length&&this.remuxText(r,n),this.observer.trigger(T.a.FRAG_PARSED)},t.prototype.generateIS=function(t,e,i){var r=this.observer,n=t.samples,a=e.samples,o=this.typeSupported,s="audio/mp4",l={},u={tracks:l},c=void 0===this._initPTS,d=void 0,h=void 0;if(c&&(d=h=1/0),t.config&&n.length&&(t.timescale=t.samplerate,k.b.log("audio sampling rate : "+t.samplerate),t.isAAC||(o.mpeg?(s="audio/mpeg",t.codec=""):o.mp3&&(t.codec="mp3")),l.audio={container:s,codec:t.codec,initSegment:!t.isAAC&&o.mpeg?new Uint8Array:z.initSegment([t]),metadata:{channelCount:t.channelCount}},c&&(d=h=n[0].pts-t.inputTimeScale*i)),e.sps&&e.pps&&a.length){var f=e.inputTimeScale;e.timescale=f,l.video={container:"video/mp4",codec:e.codec,initSegment:z.initSegment([e]),metadata:{width:e.width,height:e.height}},c&&(d=Math.min(d,a[0].pts-f*i),h=Math.min(h,a[0].dts-f*i),this.observer.trigger(T.a.INIT_PTS_FOUND,{initPTS:d}))}Object.keys(l).length?(r.trigger(T.a.FRAG_PARSING_INIT_SEGMENT,u),this.ISGenerated=!0,c&&(this._initPTS=d,this._initDTS=h)):r.trigger(T.a.ERROR,{type:S.b.MEDIA_ERROR,details:S.a.FRAG_PARSING_ERROR,fatal:!1,reason:"no audio/video samples found"})},t.prototype.remuxVideo=function(t,e,i,r,n){var a=8,o=t.timescale,s=void 0,l=void 0,u=void 0,c=void 0,d=void 0,h=void 0,f=void 0,p=t.samples,g=[],y=p.length,v=this._PTSNormalize,m=this._initDTS,A=this.nextAvcDts,b=this.isSafari;if(0!==y){b&&(i|=p.length&&A&&(n&&Math.abs(e-A/o)<.1||Math.abs(p[0].pts-A-m)<o/5)),i||(A=e*o),p.forEach(function(t){t.pts=v(t.pts-m,A),t.dts=v(t.dts-m,A)}),p.sort(function(t,e){var i=t.dts-e.dts,r=t.pts-e.pts;return i||r||t.id-e.id});var _=p.reduce(function(t,e){return Math.max(Math.min(t,e.pts-e.dts),-18e3)},0);if(_<0){k.b.warn("PTS < DTS detected in video samples, shifting DTS by "+Math.round(_/90)+" ms to overcome this issue");for(var E=0;E<p.length;E++)p[E].dts+=_}var L=p[0];d=Math.max(L.dts,0),c=Math.max(L.pts,0);var R=Math.round((d-A)/90);i&&R&&(R>1?k.b.log("AVC:"+R+" ms hole between fragments detected,filling it"):R<-1&&k.b.log("AVC:"+-R+" ms overlapping between fragments detected"),d=A,p[0].dts=d,c=Math.max(c-R,A),p[0].pts=c,k.b.log("Video/PTS/DTS adjusted: "+Math.round(c/90)+"/"+Math.round(d/90)+",delta:"+R+" ms")),d,L=p[p.length-1],f=Math.max(L.dts,0),h=Math.max(L.pts,0,f),b&&(s=Math.round((f-d)/(p.length-1)));for(var w=0,C=0,I=0;I<y;I++){for(var O=p[I],D=O.units,P=D.length,x=0,M=0;M<P;M++)x+=D[M].data.length;C+=x,w+=P,O.length=x,O.dts=b?d+I*s:Math.max(O.dts,d),O.pts=Math.max(O.pts,O.dts)}var N=C+4*w+8;try{l=new Uint8Array(N)}catch(t){return void this.observer.trigger(T.a.ERROR,{type:S.b.MUX_ERROR,details:S.a.REMUX_ALLOC_ERROR,fatal:!1,bytes:N,reason:"fail allocating video mdat "+N})}var F=new DataView(l.buffer);F.setUint32(0,N),l.set(z.types.mdat,4);for(var B=0;B<y;B++){for(var U=p[B],G=U.units,K=0,j=void 0,V=0,Y=G.length;V<Y;V++){var H=G[V],$=H.data,W=H.data.byteLength;F.setUint32(a,W),a+=4,l.set($,a),a+=W,K+=4+W}if(b)j=Math.max(0,s*Math.round((U.pts-U.dts)/s));else{if(B<y-1)s=p[B+1].dts-U.dts;else{var q=this.config,X=U.dts-p[B>0?B-1:B].dts;if(q.stretchShortVideoTrack){var Z=q.maxBufferHole,Q=Math.floor(Z*o),J=(r?c+r*o:this.nextAudioPts)-U.pts;J>Q?(s=J-X,s<0&&(s=X),k.b.log("It is approximately "+J/90+" ms to the next segment; using duration "+s/90+" ms for the last video frame.")):s=X}else s=X}j=Math.round(U.pts-U.dts)}g.push({size:K,duration:s,cts:j,flags:{isLeading:0,isDependedOn:0,hasRedundancy:0,degradPrio:0,dependsOn:U.key?2:1,isNonSync:U.key?0:1}})}this.nextAvcDts=f+s;var tt=t.dropped;if(t.len=0,t.nbNalu=0,t.dropped=0,g.length&&navigator.userAgent.toLowerCase().indexOf("chrome")>-1){var et=g[0].flags;et.dependsOn=2,et.isNonSync=0}t.samples=g,u=z.moof(t.sequenceNumber++,d,t),t.samples=[];var it={data1:u,data2:l,startPTS:c/o,endPTS:(h+s)/o,startDTS:d/o,endDTS:this.nextAvcDts/o,type:"video",hasAudio:!1,hasVideo:!0,nb:g.length,dropped:tt};return this.observer.trigger(T.a.FRAG_PARSING_DATA,it),it}},t.prototype.remuxAudio=function(t,e,i,r){var n=t.inputTimeScale,a=t.timescale,o=n/a,s=t.isAAC?1024:1152,l=s*o,u=this._PTSNormalize,c=this._initDTS,d=!t.isAAC&&this.typeSupported.mpeg,h=void 0,f=void 0,p=void 0,g=void 0,y=void 0,v=void 0,m=void 0,A=t.samples,b=[],_=this.nextAudioPts;if(i|=A.length&&_&&(r&&Math.abs(e-_/n)<.1||Math.abs(A[0].pts-_-c)<20*l),A.forEach(function(t){t.pts=t.dts=u(t.pts-c,e*n)}),A=A.filter(function(t){return t.pts>=0}),0!==A.length){if(i||(_=r?e*n:A[0].pts),t.isAAC)for(var E=this.config.maxAudioFramesDrift,L=0,R=_;L<A.length;){var w,C=A[L],I=C.pts;w=I-R;var O=Math.abs(1e3*w/n);if(w<=-E*l)k.b.warn("Dropping 1 audio frame @ "+(R/n).toFixed(3)+"s due to "+Math.round(O)+" ms overlap."),A.splice(L,1),t.len-=C.unit.length;else if(w>=E*l&&O<1e4&&R){var D=Math.round(w/l);k.b.warn("Injecting "+D+" audio frame @ "+(R/n).toFixed(3)+"s due to "+Math.round(1e3*w/n)+" ms gap.");for(var P=0;P<D;P++){var x=Math.max(R,0);p=H.getSilentFrame(t.manifestCodec||t.codec,t.channelCount),p||(k.b.log("Unable to get silent frame for given audio codec; duplicating last frame instead."),p=C.unit.subarray()),A.splice(L,0,{unit:p,pts:x,dts:x}),t.len+=p.length,R+=l,L++}C.pts=C.dts=R,R+=l,L++}else Math.abs(w),C.pts=C.dts=R,R+=l,L++}for(var M=0,N=A.length;M<N;M++){var F=A[M],B=F.unit,U=F.pts;if(void 0!==m)f.duration=Math.round((U-m)/o);else{var G=Math.round(1e3*(U-_)/n),K=0;if(i&&t.isAAC&&G){if(G>0&&G<1e4)K=Math.round((U-_)/l),k.b.log(G+" ms hole between AAC samples detected,filling it"),K>0&&(p=H.getSilentFrame(t.manifestCodec||t.codec,t.channelCount),p||(p=B.subarray()),t.len+=K*p.length);else if(G<-12){k.b.log("drop overlapping AAC sample, expected/parsed/delta:"+(_/n).toFixed(3)+"s/"+(U/n).toFixed(3)+"s/"+-G+"ms"),t.len-=B.byteLength;continue}U=_}if(v=U,!(t.len>0))return;var j=d?t.len:t.len+8;h=d?0:8;try{g=new Uint8Array(j)}catch(t){return void this.observer.trigger(T.a.ERROR,{type:S.b.MUX_ERROR,details:S.a.REMUX_ALLOC_ERROR,fatal:!1,bytes:j,reason:"fail allocating audio mdat "+j})}if(!d){new DataView(g.buffer).setUint32(0,j),g.set(z.types.mdat,4)}for(var V=0;V<K;V++)p=H.getSilentFrame(t.manifestCodec||t.codec,t.channelCount),p||(k.b.log("Unable to get silent frame for given audio codec; duplicating this frame instead."),p=B.subarray()),g.set(p,h),h+=p.byteLength,f={size:p.byteLength,cts:0,duration:1024,flags:{isLeading:0,isDependedOn:0,hasRedundancy:0,degradPrio:0,dependsOn:1}},b.push(f)}g.set(B,h);var Y=B.byteLength;h+=Y,f={size:Y,cts:0,duration:0,flags:{isLeading:0,isDependedOn:0,hasRedundancy:0,degradPrio:0,dependsOn:1}},b.push(f),m=U}var $=0,W=b.length;if(W>=2&&($=b[W-2].duration,f.duration=$),W){this.nextAudioPts=_=m+o*$,t.len=0,t.samples=b,y=d?new Uint8Array:z.moof(t.sequenceNumber++,v/o,t),t.samples=[];var q=v/n,X=_/n,Z={data1:y,data2:g,startPTS:q,endPTS:X,startDTS:q,endDTS:X,type:"audio",hasAudio:!0,hasVideo:!1,nb:W};return this.observer.trigger(T.a.FRAG_PARSING_DATA,Z),Z}return null}},t.prototype.remuxEmptyAudio=function(t,e,i,r){var n=t.inputTimeScale,a=t.samplerate?t.samplerate:n,o=n/a,s=this.nextAudioPts,l=(void 0!==s?s:r.startDTS*n)+this._initDTS,u=r.endDTS*n+this._initDTS,c=1024*o,d=Math.ceil((u-l)/c),h=H.getSilentFrame(t.manifestCodec||t.codec,t.channelCount);if(k.b.warn("remux empty Audio"),!h)return void k.b.trace("Unable to remuxEmptyAudio since we were unable to get a silent frame for given audio codec!");for(var f=[],p=0;p<d;p++){var g=l+p*c;f.push({unit:h,pts:g,dts:g}),t.len+=h.length}t.samples=f,this.remuxAudio(t,e,i)},t.prototype.remuxID3=function(t,e){var i=t.samples.length,r=void 0,n=t.inputTimeScale,a=this._initPTS,o=this._initDTS;if(i){for(var s=0;s<i;s++)r=t.samples[s],r.pts=(r.pts-a)/n,r.dts=(r.dts-o)/n;this.observer.trigger(T.a.FRAG_PARSING_METADATA,{samples:t.samples})}t.samples=[],e=e},t.prototype.remuxText=function(t,e){t.samples.sort(function(t,e){return t.pts-e.pts});var i=t.samples.length,r=void 0,n=t.inputTimeScale,a=this._initPTS;if(i){for(var o=0;o<i;o++)r=t.samples[o],r.pts=(r.pts-a)/n;this.observer.trigger(T.a.FRAG_PARSING_USERDATA,{samples:t.samples})}t.samples=[],e=e},t.prototype._PTSNormalize=function(t,e){var i=void 0;if(void 0===e)return t;for(i=e<t?-8589934592:8589934592;Math.abs(t-e)>4294967296;)t+=i;return t},t}(),X=q,Z=function(){function t(e){_(this,t),this.observer=e}return t.prototype.destroy=function(){},t.prototype.resetTimeStamp=function(){},t.prototype.resetInitSegment=function(){},t.prototype.remux=function(t,e,i,r,n,a,o,s){var l=this.observer,u="";t&&(u+="audio"),e&&(u+="video"),l.trigger(T.a.FRAG_PARSING_DATA,{data1:s,startPTS:n,startDTS:n,type:u,hasAudio:!!t,hasVideo:!!e,nb:1,dropped:0}),l.trigger(T.a.FRAG_PARSED)},t}(),Q=Z,J=Object(w.a)(),tt=J.performance,et=function(){function t(e,i,r,n){E(this,t),this.observer=e,this.typeSupported=i,this.config=r,this.vendor=n}return t.prototype.destroy=function(){var t=this.demuxer;t&&t.destroy()},t.prototype.push=function(t,e,i,r,n,a,o,s,l,u,c,d){if(t.byteLength>0&&null!=e&&null!=e.key&&"AES-128"===e.method){var h=this.decrypter;null==h&&(h=this.decrypter=new L.a(this.observer,this.config));var f=this,p=void 0;try{p=tt.now()}catch(t){p=Date.now()}h.decrypt(t,e.key.buffer,e.iv.buffer,function(t){var h=void 0;try{h=tt.now()}catch(t){h=Date.now()}f.observer.trigger(T.a.FRAG_DECRYPTED,{stats:{tstart:p,tdecrypt:h}}),f.pushDecrypted(new Uint8Array(t),e,new Uint8Array(i),r,n,a,o,s,l,u,c,d)})}else this.pushDecrypted(new Uint8Array(t),e,new Uint8Array(i),r,n,a,o,s,l,u,c,d)},t.prototype.pushDecrypted=function(t,e,i,r,n,a,o,s,l,u,c,d){var h=this.demuxer;if(!h||(o||s)&&!this.probe(t)){for(var f=this.observer,p=this.typeSupported,g=this.config,y=[{demux:K,remux:X},{demux:D.a,remux:Q},{demux:O,remux:X},{demux:V,remux:X}],v=0,m=y.length;v<m;v++){var A=y[v],b=A.demux.probe;if(b(t)){var _=this.remuxer=new A.remux(f,g,p,this.vendor);h=new A.demux(f,_,g,p),this.probe=b;break}}if(!h)return void f.trigger(T.a.ERROR,{type:S.b.MEDIA_ERROR,details:S.a.FRAG_PARSING_ERROR,fatal:!0,reason:"no demux matching with content found"});this.demuxer=h}var E=this.remuxer;(o||s)&&(h.resetInitSegment(i,r,n,u),E.resetInitSegment()),o&&(h.resetTimeStamp(d),E.resetTimeStamp(d)),"function"==typeof h.setDecryptData&&h.setDecryptData(e),h.append(t,a,l,c)},t}();e.a=et},function(t,e,i){"use strict";function r(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function n(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function a(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function o(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function s(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function l(t,e){var i=Te[e];return!!i&&!0===i[t.slice(0,4)]}function u(t,e){return window.MediaSource.isTypeSupported((e||"video")+'/mp4;codecs="'+t+'"')}function c(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function d(t,e){for(var i=t[e],r=e-1;r>=0;r--){var n=t[r];n.programDateTime=i.programDateTime-1e3*n.duration,i=n}}function h(t,e){t.rawProgramDateTime?t.programDateTime=Date.parse(t.rawProgramDateTime):e&&e.programDateTime&&(t.programDateTime=e.endProgramDateTime),Object(ie.a)(t.programDateTime)||(t.programDateTime=null,t.rawProgramDateTime=null)}function f(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function p(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!=typeof e&&"function"!=typeof e?t:e}function g(t,e){if("function"!=typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}function y(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function v(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!=typeof e&&"function"!=typeof e?t:e}function m(t,e){if("function"!=typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}function A(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function b(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!=typeof e&&"function"!=typeof e?t:e}function _(t,e){if("function"!=typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}function E(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function T(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!=typeof e&&"function"!=typeof e?t:e}function S(t,e){if("function"!=typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}function L(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function R(){if("undefined"!=typeof window)return window.MediaSource||window.WebKitMediaSource}function k(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function w(t,e,i){switch(e){case"audio":t.audioGroupIds||(t.audioGroupIds=[]),t.audioGroupIds.push(i);break;case"text":t.textGroupIds||(t.textGroupIds=[]),t.textGroupIds.push(i)}}function C(t,e,i){var r=t[e],n=t[i],a=n.startPTS;Object(ie.a)(a)?i>e?(r.duration=a-r.start,r.duration<0&&ne.b.warn("negative duration computed for frag "+r.sn+",level "+r.level+", there should be some duration drift between playlist and fragment!")):(n.duration=r.start-a,n.duration<0&&ne.b.warn("negative duration computed for frag "+n.sn+",level "+n.level+", there should be some duration drift between playlist and fragment!")):n.start=i>e?r.start+r.duration:Math.max(r.start-n.duration,0)}function I(t,e,i,r,n,a){var o=i;if(Object(ie.a)(e.startPTS)){var s=Math.abs(e.startPTS-i);Object(ie.a)(e.deltaPTS)?e.deltaPTS=Math.max(s,e.deltaPTS):e.deltaPTS=s,o=Math.max(i,e.startPTS),i=Math.min(i,e.startPTS),r=Math.max(r,e.endPTS),n=Math.min(n,e.startDTS),a=Math.max(a,e.endDTS)}var l=i-e.start;e.start=e.startPTS=i,e.maxStartPTS=o,e.endPTS=r,e.startDTS=n,e.endDTS=a,e.duration=r-i;var u=e.sn;if(!t||u<t.startSN||u>t.endSN)return 0;var c=void 0,d=void 0,h=void 0;for(c=u-t.startSN,d=t.fragments,d[c]=e,h=c;h>0;h--)C(d,h,h-1);for(h=c;h<d.length-1;h++)C(d,h,h+1);return t.PTSKnown=!0,l}function O(t,e){var i=Math.max(t.startSN,e.startSN)-e.startSN,r=Math.min(t.endSN,e.endSN)-e.startSN,n=e.startSN-t.startSN,a=t.fragments,o=e.fragments,s=0,l=void 0;if(e.initSegment&&t.initSegment&&(e.initSegment=t.initSegment),r<i)return void(e.PTSKnown=!1);for(var u=i;u<=r;u++){var c=a[n+u],d=o[u];d&&c&&(s=c.cc-d.cc,Object(ie.a)(c.startPTS)&&(d.start=d.startPTS=c.startPTS,d.endPTS=c.endPTS,d.duration=c.duration,d.backtracked=c.backtracked,d.dropped=c.dropped,l=d))}if(s)for(ne.b.log("discontinuity sliding from playlist, take drift into account"),u=0;u<o.length;u++)o[u].cc+=s;if(l)I(e,l,l.startPTS,l.endPTS,l.startDTS,l.endDTS);else if(n>=0&&n<a.length){var h=a[n].start;for(u=0;u<o.length;u++)o[u].start+=h}e.PTSKnown=t.PTSKnown}function D(t,e){for(var i=null,r=0;r<t.length;r+=1){var n=t[r];if(n&&n.cc===e){i=n;break}}return i}function P(t,e){return He.search(t,function(t){return t.cc<e?1:t.cc>e?-1:0})}function x(t,e,i){var r=!1;return e&&e.details&&i&&(i.endCC>i.startCC||t&&t.cc<i.startCC)&&(r=!0),r}function M(t,e){var i=t.fragments,r=e.fragments;if(!r.length||!i.length)return void ne.b.log("No fragments to align");var n=D(i,r[0].cc);return!n||n&&!n.startPTS?void ne.b.log("No frag in previous level to align on"):n}function N(t,e){e.fragments.forEach(function(e){if(e){var i=e.start+t;e.start=e.startPTS=i,e.endPTS=i+e.duration}}),e.PTSKnown=!0}function F(t,e,i){B(t,i,e),!i.PTSKnown&&e&&U(i,e.details)}function B(t,e,i){if(x(t,i,e)){var r=M(i.details,e);r&&(ne.b.log("Adjusting PTS using last level due to CC increase within current level"),N(r.start,e))}}function U(t,e){if(e&&e.fragments.length){if(!t.hasProgramDateTime||!e.hasProgramDateTime)return;var i=e.fragments[0].programDateTime,r=t.fragments[0].programDateTime,n=(r-i)/1e3+e.fragments[0].start;Object(ie.a)(n)&&(ne.b.log("adjusting PTS using programDateTime delta, sliding:"+n.toFixed(3)),N(n,t))}}function G(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function K(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!=typeof e&&"function"!=typeof e?t:e}function j(t,e){if("function"!=typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}function V(t,e,i){if(!Array.isArray(t)||!t.length||!Object(ie.a)(e))return null;if(e<t[0].programDateTime)return null;if(e>=t[t.length-1].endProgramDateTime)return null;i=i||0;for(var r=0;r<t.length;++r){var n=t[r];if($(e,i,n))return n}return null}function Y(t,e){var i=arguments.length>2&&void 0!==arguments[2]?arguments[2]:0,r=arguments.length>3&&void 0!==arguments[3]?arguments[3]:0,n=t?e[t.sn-e[0].sn+1]:null;return n&&!H(i,r,n)?n:He.search(e,H.bind(null,i,r))}function H(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:0,e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0,i=arguments[2],r=Math.min(e,i.duration+(i.deltaPTS?i.deltaPTS:0));return i.start+i.duration-r<=t?1:i.start-r>t&&i.start?-1:0}function $(t,e,i){var r=1e3*Math.min(e,i.duration+(i.deltaPTS?i.deltaPTS:0));return i.endProgramDateTime-r>t}function W(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function z(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function q(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!=typeof e&&"function"!=typeof e?t:e}function X(t,e){if("function"!=typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}function Z(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function Q(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!=typeof e&&"function"!=typeof e?t:e}function J(t,e){if("function"!=typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}function tt(t,e){var i=null;try{i=new window.Event("addtrack")}catch(t){i=document.createEvent("Event"),i.initEvent("addtrack",!1,!1)}i.track=t,e.dispatchEvent(i)}function et(t){if(t&&t.cues)for(;t.cues.length>0;)t.removeCue(t.cues[0])}function it(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function rt(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!=typeof e&&"function"!=typeof e?t:e}function nt(t,e){if("function"!=typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}function at(){var t=R(),e=window.SourceBuffer||window.WebKitSourceBuffer,i=t&&"function"==typeof t.isTypeSupported&&t.isTypeSupported('video/mp4; codecs="avc1.42E01E,mp4a.40.2"'),r=!e||e.prototype&&"function"==typeof e.prototype.appendBuffer&&"function"==typeof e.prototype.remove;return!!i&&!!r}function ot(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function st(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function lt(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function ut(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!=typeof e&&"function"!=typeof e?t:e}function ct(t,e){if("function"!=typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}function dt(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function ht(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!=typeof e&&"function"!=typeof e?t:e}function ft(t,e){if("function"!=typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}function pt(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function gt(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!=typeof e&&"function"!=typeof e?t:e}function yt(t,e){if("function"!=typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}function vt(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function mt(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!=typeof e&&"function"!=typeof e?t:e}function At(t,e){if("function"!=typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}function bt(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function _t(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function Et(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!=typeof e&&"function"!=typeof e?t:e}function Tt(t,e){if("function"!=typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}function St(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function Lt(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!=typeof e&&"function"!=typeof e?t:e}function Rt(t,e){if("function"!=typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}function kt(){this.window=window,this.state="INITIAL",this.buffer="",this.decoder=new ir,this.regionList=[]}function wt(t){function e(t,e,i,r){return 3600*(0|t)+60*(0|e)+(0|i)+(0|r)/1e3}var i=t.match(/^(\d+):(\d{2})(:\d{2})?\.(\d{3})/);return i?i[3]?e(i[1],i[2],i[3].replace(":",""),i[4]):i[1]>59?e(i[1],i[2],0,i[4]):e(0,i[1],i[2],i[4]):null}function Ct(){this.values=Object.create(null)}function It(t,e,i,r){var n=r?t.split(r):[t];for(var a in n)if("string"==typeof n[a]){var o=n[a].split(i);if(2===o.length){var s=o[0],l=o[1];e(s,l)}}}function Ot(t,e,i){function r(){var e=wt(t);if(null===e)throw new Error("Malformed timestamp: "+a);return t=t.replace(/^[^\sa-zA-Z-]+/,""),e}function n(){t=t.replace(/^\s+/,"")}var a=t;if(n(),e.startTime=r(),n(),"--\x3e"!==t.substr(0,3))throw new Error("Malformed time stamp (time stamps must be separated by '--\x3e'): "+a);t=t.substr(3),n(),e.endTime=r(),n(),function(t,e){var r=new Ct;It(t,function(t,e){switch(t){case"region":for(var n=i.length-1;n>=0;n--)if(i[n].id===e){r.set(t,i[n].region);break}break;case"vertical":r.alt(t,e,["rl","lr"]);break;case"line":var a=e.split(","),o=a[0];r.integer(t,o),r.percent(t,o)&&r.set("snapToLines",!1),r.alt(t,o,["auto"]),2===a.length&&r.alt("lineAlign",a[1],["start",nr,"end"]);break;case"position":a=e.split(","),r.percent(t,a[0]),2===a.length&&r.alt("positionAlign",a[1],["start",nr,"end","line-left","line-right","auto"]);break;case"size":r.percent(t,e);break;case"align":r.alt(t,e,["start",nr,"end","left","right"])}},/:/,/\s/),e.region=r.get("region",null),e.vertical=r.get("vertical","");var n=r.get("line","auto");"auto"===n&&-1===rr.line&&(n=-1),e.line=n,e.lineAlign=r.get("lineAlign","start"),e.snapToLines=r.get("snapToLines",!0),e.size=r.get("size",100),e.align=r.get("align",nr);var a=r.get("position","auto");"auto"===a&&50===rr.position&&(a="start"===e.align||"left"===e.align?0:"end"===e.align||"right"===e.align?100:50),e.position=a}(t,e)}function Dt(t){return t.replace(/<br(?: \/)?>/gi,"\n")}function Pt(t,e,i,r){for(var n=void 0,a=void 0,o=void 0,s=void 0,l=void 0,u=window.VTTCue||window.TextTrackCue,c=0;c<r.rows.length;c++)if(n=r.rows[c],o=!0,s=0,l="",!n.isEmpty()){for(var d=0;d<n.chars.length;d++)n.chars[d].uchar.match(/\s/)&&o?s++:(l+=n.chars[d].uchar,o=!1);n.cueStartTime=e,e===i&&(i+=1e-4),a=new u(e,i,Dt(l.trim())),s>=16?s--:s++,navigator.userAgent.match(/Firefox\//)?a.line=c+1:a.line=c>7?c-2:c+1,a.align="left",a.position=Math.max(0,Math.min(100,s/32*100+(navigator.userAgent.match(/Firefox\//)?50:0))),t.addCue(a)}}function xt(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function Mt(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function Nt(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function Ft(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!=typeof e&&"function"!=typeof e?t:e}function Bt(t,e){if("function"!=typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}function Ut(t,e){return t&&t.label===e.name&&!(t.textTrack1||t.textTrack2)}function Gt(t,e,i,r){return Math.min(e,r)-Math.max(t,i)}function Kt(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function jt(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!=typeof e&&"function"!=typeof e?t:e}function Vt(t,e){if("function"!=typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}function Yt(t){for(var e=[],i=0;i<t.length;i++)"subtitles"===t[i].kind&&e.push(t[i]);return e}function Ht(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function $t(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!=typeof e&&"function"!=typeof e?t:e}function Wt(t,e){if("function"!=typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}function zt(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function qt(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!=typeof e&&"function"!=typeof e?t:e}function Xt(t,e){if("function"!=typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}function Zt(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}Object.defineProperty(e,"__esModule",{value:!0});var Qt={};i.d(Qt,"newCue",function(){return Pt});var Jt=i(5),te=i.n(Jt),ee=i(2),ie=i(3),re=i(1),ne=i(0),ae="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(t){return typeof t}:function(t){return t&&"function"==typeof Symbol&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t},oe=new Set(["hlsEventGeneric","hlsHandlerDestroying","hlsHandlerDestroyed"]),se=function(){function t(e){r(this,t),this.hls=e,this.onEvent=this.onEvent.bind(this);for(var i=arguments.length,n=Array(i>1?i-1:0),a=1;a<i;a++)n[a-1]=arguments[a];this.handledEvents=n,this.useGenericHandler=!0,this.registerListeners()}return t.prototype.destroy=function(){this.onHandlerDestroying(),this.unregisterListeners(),this.onHandlerDestroyed()},t.prototype.onHandlerDestroying=function(){},t.prototype.onHandlerDestroyed=function(){},t.prototype.isEventHandler=function(){return"object"===ae(this.handledEvents)&&this.handledEvents.length&&"function"==typeof this.onEvent},t.prototype.registerListeners=function(){this.isEventHandler()&&this.handledEvents.forEach(function(t){if(oe.has(t))throw new Error("Forbidden event-name: "+t);this.hls.on(t,this.onEvent)},this)},t.prototype.unregisterListeners=function(){this.isEventHandler()&&this.handledEvents.forEach(function(t){this.hls.off(t,this.onEvent)},this)},t.prototype.onEvent=function(t,e){this.onEventGeneric(t,e)},t.prototype.onEventGeneric=function(t,e){var i=function(t,e){var i="on"+t.replace("hls","");if("function"!=typeof this[i])throw new Error("Event "+t+" has no generic handler in this "+this.constructor.name+" class (tried "+i+")");return this[i].bind(this,e)};try{i.call(this,t,e).call()}catch(e){ne.b.error("An internal error happened while handling event "+t+'. Error message: "'+e.message+'". Here is a stacktrace:',e),this.hls.trigger(re.a.ERROR,{type:ee.b.OTHER_ERROR,details:ee.a.INTERNAL_EXCEPTION,fatal:!1,event:t,err:e})}},t}(),le=se,ue=i(9),ce=function(){function t(t,e){for(var i=0;i<e.length;i++){var r=e[i];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(t,r.key,r)}}return function(e,i,r){return i&&t(e.prototype,i),r&&t(e,r),e}}(),de=function(){function t(){n(this,t),this.method=null,this.key=null,this.iv=null,this._uri=null}return ce(t,[{key:"uri",get:function(){return!this._uri&&this.reluri&&(this._uri=te.a.buildAbsoluteURL(this.baseuri,this.reluri,{alwaysNormalize:!0})),this._uri}}]),t}(),he=de,fe=function(){function t(t,e){for(var i=0;i<e.length;i++){var r=e[i];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(t,r.key,r)}}return function(e,i,r){return i&&t(e.prototype,i),r&&t(e,r),e}}(),pe=function(){function t(){var e;a(this,t),this._url=null,this._byteRange=null,this._decryptdata=null,this.tagList=[],this.programDateTime=null,this.rawProgramDateTime=null,this._elementaryStreams=(e={},e[t.ElementaryStreamTypes.AUDIO]=!1,e[t.ElementaryStreamTypes.VIDEO]=!1,e)}return t.prototype.addElementaryStream=function(t){this._elementaryStreams[t]=!0},t.prototype.hasElementaryStream=function(t){return!0===this._elementaryStreams[t]},t.prototype.createInitializationVector=function(t){for(var e=new Uint8Array(16),i=12;i<16;i++)e[i]=t>>8*(15-i)&255;return e},t.prototype.fragmentDecryptdataFromLevelkey=function(t,e){var i=t;return t&&t.method&&t.uri&&!t.iv&&(i=new he,i.method=t.method,i.baseuri=t.baseuri,i.reluri=t.reluri,i.iv=this.createInitializationVector(e)),i},fe(t,[{key:"url",get:function(){return!this._url&&this.relurl&&(this._url=te.a.buildAbsoluteURL(this.baseurl,this.relurl,{alwaysNormalize:!0})),this._url},set:function(t){this._url=t}},{key:"byteRange",get:function(){if(!this._byteRange&&!this.rawByteRange)return[];if(this._byteRange)return this._byteRange;var t=[];if(this.rawByteRange){var e=this.rawByteRange.split("@",2);if(1===e.length){var i=this.lastByteRangeEndOffset;t[0]=i||0}else t[0]=parseInt(e[1]);t[1]=parseInt(e[0])+t[0],this._byteRange=t}return t}},{key:"byteRangeStartOffset",get:function(){return this.byteRange[0]}},{key:"byteRangeEndOffset",get:function(){return this.byteRange[1]}},{key:"decryptdata",get:function(){return this._decryptdata||(this._decryptdata=this.fragmentDecryptdataFromLevelkey(this.levelkey,this.sn)),this._decryptdata}},{key:"endProgramDateTime",get:function(){if(!Object(ie.a)(this.programDateTime))return null;var t=Object(ie.a)(this.duration)?this.duration:0;return this.programDateTime+1e3*t}},{key:"encrypted",get:function(){return!(!this.decryptdata||null===this.decryptdata.uri||null!==this.decryptdata.key)}}],[{key:"ElementaryStreamTypes",get:function(){return{AUDIO:"audio",VIDEO:"video"}}}]),t}(),ge=pe,ye=function(){function t(t,e){for(var i=0;i<e.length;i++){var r=e[i];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(t,r.key,r)}}return function(e,i,r){return i&&t(e.prototype,i),r&&t(e,r),e}}(),ve=function(){function t(e){o(this,t),this.endCC=0,this.endSN=0,this.fragments=[],this.initSegment=null,this.live=!0,this.needSidxRanges=!1,this.startCC=0,this.startSN=0,this.startTimeOffset=null,this.targetduration=0,this.totalduration=0,this.type=null,this.url=e,this.version=null}return ye(t,[{key:"hasProgramDateTime",get:function(){return!(!this.fragments[0]||!Object(ie.a)(this.fragments[0].programDateTime))}}]),t}(),me=ve,Ae=/^(\d+)x(\d+)$/,be=/\s*(.+?)\s*=((?:\".*?\")|.*?)(?:,|$)/g,_e=function(){function t(e){s(this,t),"string"==typeof e&&(e=t.parseAttrList(e));for(var i in e)e.hasOwnProperty(i)&&(this[i]=e[i])}return t.prototype.decimalInteger=function(t){var e=parseInt(this[t],10);return e>Number.MAX_SAFE_INTEGER?1/0:e},t.prototype.hexadecimalInteger=function(t){if(this[t]){var e=(this[t]||"0x").slice(2);e=(1&e.length?"0":"")+e;for(var i=new Uint8Array(e.length/2),r=0;r<e.length/2;r++)i[r]=parseInt(e.slice(2*r,2*r+2),16);return i}return null},t.prototype.hexadecimalIntegerAsNumber=function(t){var e=parseInt(this[t],16);return e>Number.MAX_SAFE_INTEGER?1/0:e},t.prototype.decimalFloatingPoint=function(t){return parseFloat(this[t])},t.prototype.enumeratedString=function(t){return this[t]},t.prototype.decimalResolution=function(t){var e=Ae.exec(this[t]);if(null!==e)return{width:parseInt(e[1],10),height:parseInt(e[2],10)}},t.parseAttrList=function(t){var e=void 0,i={};for(be.lastIndex=0;null!==(e=be.exec(t));){var r=e[2];0===r.indexOf('"')&&r.lastIndexOf('"')===r.length-1&&(r=r.slice(1,-1)),i[e[1]]=r}return i},t}(),Ee=_e,Te={audio:{a3ds:!0,"ac-3":!0,"ac-4":!0,alac:!0,alaw:!0,dra1:!0,"dts+":!0,"dts-":!0,dtsc:!0,dtse:!0,dtsh:!0,"ec-3":!0,enca:!0,g719:!0,g726:!0,m4ae:!0,mha1:!0,mha2:!0,mhm1:!0,mhm2:!0,mlpa:!0,mp4a:!0,"raw ":!0,Opus:!0,samr:!0,sawb:!0,sawp:!0,sevc:!0,sqcp:!0,ssmv:!0,twos:!0,ulaw:!0},video:{avc1:!0,avc2:!0,avc3:!0,avc4:!0,avcp:!0,drac:!0,dvav:!0,dvhe:!0,encv:!0,hev1:!0,hvc1:!0,mjp2:!0,mp4v:!0,mvc1:!0,mvc2:!0,mvc3:!0,mvc4:!0,resv:!0,rv60:!0,s263:!0,svc1:!0,svc2:!0,"vc-1":!0,vp08:!0,vp09:!0}},Se=/#EXT-X-STREAM-INF:([^\n\r]*)[\r\n]+([^\r\n]+)/g,Le=/#EXT-X-MEDIA:(.*)/g,Re=new RegExp([/#EXTINF:\s*(\d*(?:\.\d+)?)(?:,(.*)\s+)?/.source,/|(?!#)(\S+)/.source,/|#EXT-X-BYTERANGE:*(.+)/.source,/|#EXT-X-PROGRAM-DATE-TIME:(.+)/.source,/|#.*/.source].join(""),"g"),ke=/(?:(?:#(EXTM3U))|(?:#EXT-X-(PLAYLIST-TYPE):(.+))|(?:#EXT-X-(MEDIA-SEQUENCE): *(\d+))|(?:#EXT-X-(TARGETDURATION): *(\d+))|(?:#EXT-X-(KEY):(.+))|(?:#EXT-X-(START):(.+))|(?:#EXT-X-(ENDLIST))|(?:#EXT-X-(DISCONTINUITY-SEQ)UENCE:(\d+))|(?:#EXT-X-(DIS)CONTINUITY))|(?:#EXT-X-(VERSION):(\d+))|(?:#EXT-X-(MAP):(.+))|(?:(#)([^:]*):(.*))|(?:(#)(.*))(?:.*)\r?\n?/,we=/\.(mp4|m4s|m4v|m4a)$/i,Ce=function(){function t(){c(this,t)}return t.findGroup=function(t,e){if(!t)return null;for(var i=null,r=0;r<t.length;r++){var n=t[r];n.id===e&&(i=n)}return i},t.convertAVC1ToAVCOTI=function(t){var e=void 0,i=t.split(".");return i.length>2?(e=i.shift()+".",e+=parseInt(i.shift()).toString(16),e+=("000"+parseInt(i.shift()).toString(16)).substr(-4)):e=t,e},t.resolve=function(t,e){return te.a.buildAbsoluteURL(e,t,{alwaysNormalize:!0})},t.parseMasterPlaylist=function(e,i){var r=[],n=void 0;for(Se.lastIndex=0;null!=(n=Se.exec(e));){var a={},o=a.attrs=new Ee(n[1]);a.url=t.resolve(n[2],i);var s=o.decimalResolution("RESOLUTION");s&&(a.width=s.width,a.height=s.height),a.bitrate=o.decimalInteger("AVERAGE-BANDWIDTH")||o.decimalInteger("BANDWIDTH"),a.name=o.NAME,function(t,e){["video","audio"].forEach(function(i){var r=t.filter(function(t){return l(t,i)});if(r.length){var n=r.filter(function(t){return 0===t.lastIndexOf("avc1",0)||0===t.lastIndexOf("mp4a",0)});e[i+"Codec"]=n.length>0?n[0]:r[0],t=t.filter(function(t){return-1===r.indexOf(t)})}}),e.unknownCodecs=t}([].concat((o.CODECS||"").split(/[ ,]+/)),a),a.videoCodec&&-1!==a.videoCodec.indexOf("avc1")&&(a.videoCodec=t.convertAVC1ToAVCOTI(a.videoCodec)),r.push(a)}return r},t.parseMasterPlaylistMedia=function(e,i,r){var n=arguments.length>3&&void 0!==arguments[3]?arguments[3]:[],a=void 0,o=[],s=0;for(Le.lastIndex=0;null!==(a=Le.exec(e));){var l={},u=new Ee(a[1]);if(u.TYPE===r){if(l.groupId=u["GROUP-ID"],l.name=u.NAME,l.type=r,l.default="YES"===u.DEFAULT,l.autoselect="YES"===u.AUTOSELECT,l.forced="YES"===u.FORCED,u.URI&&(l.url=t.resolve(u.URI,i)),l.lang=u.LANGUAGE,l.name||(l.name=l.lang),n.length){var c=t.findGroup(n,l.groupId);l.audioCodec=c?c.codec:n[0].codec}l.id=s++,o.push(l)}}return o},t.parseLevelPlaylist=function(t,e,i,r,n){var a=0,o=0,s=new me(e),l=new he,u=0,c=null,f=new ge,p=void 0,g=void 0,y=null;for(Re.lastIndex=0;null!==(p=Re.exec(t));){var v=p[1];if(v){f.duration=parseFloat(v);var m=(" "+p[2]).slice(1);f.title=m||null,f.tagList.push(m?["INF",v,m]:["INF",v])}else if(p[3]){if(Object(ie.a)(f.duration)){var A=a++;f.type=r,f.start=o,f.levelkey=l,f.sn=A,f.level=i,f.cc=u,f.urlId=n,f.baseurl=e,f.relurl=(" "+p[3]).slice(1),h(f,c),s.fragments.push(f),c=f,o+=f.duration,f=new ge}}else if(p[4]){if(f.rawByteRange=(" "+p[4]).slice(1),c){var b=c.byteRangeEndOffset;b&&(f.lastByteRangeEndOffset=b)}}else if(p[5])f.rawProgramDateTime=(" "+p[5]).slice(1),f.tagList.push(["PROGRAM-DATE-TIME",f.rawProgramDateTime]),null===y&&(y=s.fragments.length);else{for(p=p[0].match(ke),g=1;g<p.length&&void 0===p[g];g++);var _=(" "+p[g+1]).slice(1),E=(" "+p[g+2]).slice(1);switch(p[g]){case"#":f.tagList.push(E?[_,E]:[_]);break;case"PLAYLIST-TYPE":s.type=_.toUpperCase();break;case"MEDIA-SEQUENCE":a=s.startSN=parseInt(_);break;case"TARGETDURATION":s.targetduration=parseFloat(_);break;case"VERSION":s.version=parseInt(_);break;case"EXTM3U":break;case"ENDLIST":s.live=!1;break;case"DIS":u++,f.tagList.push(["DIS"]);break;case"DISCONTINUITY-SEQ":u=parseInt(_);break;case"KEY":var T=_,S=new Ee(T),L=S.enumeratedString("METHOD"),R=S.URI,k=S.hexadecimalInteger("IV");L&&(l=new he,R&&["AES-128","SAMPLE-AES","SAMPLE-AES-CENC"].indexOf(L)>=0&&(l.method=L,l.baseuri=e,l.reluri=R,l.key=null,l.iv=k));break;case"START":var w=_,C=new Ee(w),I=C.decimalFloatingPoint("TIME-OFFSET");Object(ie.a)(I)&&(s.startTimeOffset=I);break;case"MAP":var O=new Ee(_);f.relurl=O.URI,f.rawByteRange=O.BYTERANGE,f.baseurl=e,f.level=i,f.type=r,f.sn="initSegment",s.initSegment=f,f=new ge,f.rawProgramDateTime=s.initSegment.rawProgramDateTime;break;default:ne.b.warn("line parsed but not handled: "+p)}}}return f=c,f&&!f.relurl&&(s.fragments.pop(),o-=f.duration),s.totalduration=o,s.averagetargetduration=o/s.fragments.length,s.endSN=a-1,s.startCC=s.fragments[0]?s.fragments[0].cc:0,s.endCC=u,!s.initSegment&&s.fragments.length&&s.fragments.every(function(t){return we.test(t.relurl)})&&(ne.b.warn("MP4 fragments found but no init segment (probably no MAP, incomplete M3U8), trying to fetch SIDX"),f=new ge,f.relurl=s.fragments[0].relurl,f.baseurl=e,f.level=i,f.type=r,f.sn="initSegment",s.initSegment=f,s.needSidxRanges=!0),y&&d(s.fragments,y),s},t}(),Ie=Ce,Oe=function(){function t(t,e){for(var i=0;i<e.length;i++){var r=e[i];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(t,r.key,r)}}return function(e,i,r){return i&&t(e.prototype,i),r&&t(e,r),e}}(),De=window,Pe=De.performance,xe={MANIFEST:"manifest",LEVEL:"level",AUDIO_TRACK:"audioTrack",SUBTITLE_TRACK:"subtitleTrack"},Me={MAIN:"main",AUDIO:"audio",SUBTITLE:"subtitle"},Ne=function(t){function e(i){f(this,e);var r=p(this,t.call(this,i,re.a.MANIFEST_LOADING,re.a.LEVEL_LOADING,re.a.AUDIO_TRACK_LOADING,re.a.SUBTITLE_TRACK_LOADING));return r.loaders={},r}return g(e,t),e.canHaveQualityLevels=function(t){return t!==xe.AUDIO_TRACK&&t!==xe.SUBTITLE_TRACK},e.mapContextToLevelType=function(t){switch(t.type){case xe.AUDIO_TRACK:return Me.AUDIO;case xe.SUBTITLE_TRACK:return Me.SUBTITLE;default:return Me.MAIN}},e.getResponseUrl=function(t,e){var i=t.url;return void 0!==i&&0!==i.indexOf("data:")||(i=e.url),i},e.prototype.createInternalLoader=function(t){var e=this.hls.config,i=e.pLoader,r=e.loader,n=i||r,a=new n(e);return t.loader=a,this.loaders[t.type]=a,a},e.prototype.getInternalLoader=function(t){return this.loaders[t.type]},e.prototype.resetInternalLoader=function(t){this.loaders[t]&&delete this.loaders[t]},e.prototype.destroyInternalLoaders=function(){for(var t in this.loaders){var e=this.loaders[t];e&&e.destroy(),this.resetInternalLoader(t)}},e.prototype.destroy=function(){this.destroyInternalLoaders(),t.prototype.destroy.call(this)},e.prototype.onManifestLoading=function(t){this.load(t.url,{type:xe.MANIFEST,level:0,id:null})},e.prototype.onLevelLoading=function(t){this.load(t.url,{type:xe.LEVEL,level:t.level,id:t.id})},e.prototype.onAudioTrackLoading=function(t){this.load(t.url,{type:xe.AUDIO_TRACK,level:null,id:t.id})},e.prototype.onSubtitleTrackLoading=function(t){this.load(t.url,{type:xe.SUBTITLE_TRACK,level:null,id:t.id})},e.prototype.load=function(t,e){var i=this.hls.config;ne.b.debug("Loading playlist of type "+e.type+", level: "+e.level+", id: "+e.id);var r=this.getInternalLoader(e);if(r){var n=r.context;if(n&&n.url===t)return ne.b.trace("playlist request ongoing"),!1;ne.b.warn("aborting previous loader for type: "+e.type),r.abort()}var a=void 0,o=void 0,s=void 0,l=void 0;switch(e.type){case xe.MANIFEST:a=i.manifestLoadingMaxRetry,o=i.manifestLoadingTimeOut,s=i.manifestLoadingRetryDelay,l=i.manifestLoadingMaxRetryTimeout;break;case xe.LEVEL:a=0,o=i.levelLoadingTimeOut;break;default:a=i.levelLoadingMaxRetry,o=i.levelLoadingTimeOut,s=i.levelLoadingRetryDelay,l=i.levelLoadingMaxRetryTimeout}r=this.createInternalLoader(e),e.url=t,e.responseType=e.responseType||"";var u={timeout:o,maxRetry:a,retryDelay:s,maxRetryDelay:l},c={onSuccess:this.loadsuccess.bind(this),onError:this.loaderror.bind(this),onTimeout:this.loadtimeout.bind(this)};return ne.b.debug("Calling internal loader delegate for URL: "+t),r.load(e,u,c),!0},e.prototype.loadsuccess=function(t,e,i){var r=arguments.length>3&&void 0!==arguments[3]?arguments[3]:null;if(i.isSidxRequest)return this._handleSidxRequest(t,i),void this._handlePlaylistLoaded(t,e,i,r);this.resetInternalLoader(i.type);var n=t.data;if(e.tload=Pe.now(),0!==n.indexOf("#EXTM3U"))return void this._handleManifestParsingError(t,i,"no EXTM3U delimiter",r);n.indexOf("#EXTINF:")>0||n.indexOf("#EXT-X-TARGETDURATION:")>0?this._handleTrackOrLevelPlaylist(t,e,i,r):this._handleMasterPlaylist(t,e,i,r)},e.prototype.loaderror=function(t,e){var i=arguments.length>2&&void 0!==arguments[2]?arguments[2]:null;this._handleNetworkError(e,i)},e.prototype.loadtimeout=function(t,e){var i=arguments.length>2&&void 0!==arguments[2]?arguments[2]:null;this._handleNetworkError(e,i,!0)},e.prototype._handleMasterPlaylist=function(t,i,r,n){var a=this.hls,o=t.data,s=e.getResponseUrl(t,r),l=Ie.parseMasterPlaylist(o,s);if(!l.length)return void this._handleManifestParsingError(t,r,"no level found in manifest",n);var u=l.map(function(t){return{id:t.attrs.AUDIO,codec:t.audioCodec}}),c=Ie.parseMasterPlaylistMedia(o,s,"AUDIO",u),d=Ie.parseMasterPlaylistMedia(o,s,"SUBTITLES");if(c.length){var h=!1;c.forEach(function(t){t.url||(h=!0)}),!1===h&&l[0].audioCodec&&!l[0].attrs.AUDIO&&(ne.b.log("audio codec signaled in quality level, but no embedded audio track signaled, create one"),c.unshift({type:"main",name:"main"}))}a.trigger(re.a.MANIFEST_LOADED,{levels:l,audioTracks:c,subtitles:d,url:s,stats:i,networkDetails:n})},e.prototype._handleTrackOrLevelPlaylist=function(t,i,r,n){var a=this.hls,o=r.id,s=r.level,l=r.type,u=e.getResponseUrl(t,r),c=Object(ie.a)(o)?o:0,d=Object(ie.a)(s)?s:c,h=e.mapContextToLevelType(r),f=Ie.parseLevelPlaylist(t.data,u,d,h,c);if(f.tload=i.tload,l===xe.MANIFEST){var p={url:u,details:f};a.trigger(re.a.MANIFEST_LOADED,{levels:[p],audioTracks:[],url:u,stats:i,networkDetails:n})}if(i.tparsed=Pe.now(),f.needSidxRanges){var g=f.initSegment.url;return void this.load(g,{isSidxRequest:!0,type:l,level:s,levelDetails:f,id:o,rangeStart:0,rangeEnd:2048,responseType:"arraybuffer"})}r.levelDetails=f,this._handlePlaylistLoaded(t,i,r,n)},e.prototype._handleSidxRequest=function(t,e){var i=ue.a.parseSegmentIndex(new Uint8Array(t.data));i.references.forEach(function(t,i){var r=t.info,n=e.levelDetails.fragments[i];0===n.byteRange.length&&(n.rawByteRange=String(1+r.end-r.start)+"@"+String(r.start))}),e.levelDetails.initSegment.rawByteRange=String(i.moovEndOffset)+"@0"},e.prototype._handleManifestParsingError=function(t,e,i,r){this.hls.trigger(re.a.ERROR,{type:ee.b.NETWORK_ERROR,details:ee.a.MANIFEST_PARSING_ERROR,fatal:!0,url:t.url,reason:i,networkDetails:r})},e.prototype._handleNetworkError=function(t,e){var i=arguments.length>2&&void 0!==arguments[2]&&arguments[2];ne.b.info("A network error occured while loading a "+t.type+"-type playlist");var r=void 0,n=void 0,a=this.getInternalLoader(t);switch(t.type){case xe.MANIFEST:r=i?ee.a.MANIFEST_LOAD_TIMEOUT:ee.a.MANIFEST_LOAD_ERROR,n=!0;break;case xe.LEVEL:r=i?ee.a.LEVEL_LOAD_TIMEOUT:ee.a.LEVEL_LOAD_ERROR,n=!1;break;case xe.AUDIO_TRACK:r=i?ee.a.AUDIO_TRACK_LOAD_TIMEOUT:ee.a.AUDIO_TRACK_LOAD_ERROR,n=!1;break;default:n=!1}a&&(a.abort(),this.resetInternalLoader(t.type)),this.hls.trigger(re.a.ERROR,{type:ee.b.NETWORK_ERROR,details:r,fatal:n,url:a.url,loader:a,context:t,networkDetails:e})},e.prototype._handlePlaylistLoaded=function(t,i,r,n){var a=r.type,o=r.level,s=r.id,l=r.levelDetails;if(!l.targetduration)return void this._handleManifestParsingError(t,r,"invalid target duration",n);if(e.canHaveQualityLevels(r.type))this.hls.trigger(re.a.LEVEL_LOADED,{details:l,level:o||0,id:s||0,stats:i,networkDetails:n});else switch(a){case xe.AUDIO_TRACK:this.hls.trigger(re.a.AUDIO_TRACK_LOADED,{details:l,id:s,stats:i,networkDetails:n});break;case xe.SUBTITLE_TRACK:this.hls.trigger(re.a.SUBTITLE_TRACK_LOADED,{details:l,id:s,stats:i,networkDetails:n})}},Oe(e,null,[{key:"ContextType",get:function(){return xe}},{key:"LevelType",get:function(){return Me}}]),e}(le),Fe=Ne,Be=function(t){function e(i){y(this,e);var r=v(this,t.call(this,i,re.a.FRAG_LOADING));return r.loaders={},r}return m(e,t),e.prototype.destroy=function(){var e=this.loaders;for(var i in e){var r=e[i];r&&r.destroy()}this.loaders={},t.prototype.destroy.call(this)},e.prototype.onFragLoading=function(t){var e=t.frag,i=e.type,r=this.loaders,n=this.hls.config,a=n.fLoader,o=n.loader;e.loaded=0;var s=r[i];s&&(ne.b.warn("abort previous fragment loader for type: "+i),s.abort()),s=r[i]=e.loader=n.fLoader?new a(n):new o(n);var l=void 0,u=void 0,c=void 0;l={url:e.url,frag:e,responseType:"arraybuffer",progressData:!1};var d=e.byteRangeStartOffset,h=e.byteRangeEndOffset;Object(ie.a)(d)&&Object(ie.a)(h)&&(l.rangeStart=d,l.rangeEnd=h),u={timeout:n.fragLoadingTimeOut,maxRetry:0,retryDelay:0,maxRetryDelay:n.fragLoadingMaxRetryTimeout},c={onSuccess:this.loadsuccess.bind(this),onError:this.loaderror.bind(this),onTimeout:this.loadtimeout.bind(this),onProgress:this.loadprogress.bind(this)},s.load(l,u,c)},e.prototype.loadsuccess=function(t,e,i){var r=arguments.length>3&&void 0!==arguments[3]?arguments[3]:null,n=t.data,a=i.frag;a.loader=void 0,this.loaders[a.type]=void 0,this.hls.trigger(re.a.FRAG_LOADED,{payload:n,frag:a,stats:e,networkDetails:r})},e.prototype.loaderror=function(t,e){var i=arguments.length>2&&void 0!==arguments[2]?arguments[2]:null,r=e.frag,n=r.loader;n&&n.abort(),this.loaders[r.type]=void 0,this.hls.trigger(re.a.ERROR,{type:ee.b.NETWORK_ERROR,details:ee.a.FRAG_LOAD_ERROR,fatal:!1,frag:e.frag,response:t,networkDetails:i})},e.prototype.loadtimeout=function(t,e){var i=arguments.length>2&&void 0!==arguments[2]?arguments[2]:null,r=e.frag,n=r.loader;n&&n.abort(),this.loaders[r.type]=void 0,this.hls.trigger(re.a.ERROR,{type:ee.b.NETWORK_ERROR,details:ee.a.FRAG_LOAD_TIMEOUT,fatal:!1,frag:e.frag,networkDetails:i})},e.prototype.loadprogress=function(t,e,i){var r=arguments.length>3&&void 0!==arguments[3]?arguments[3]:null,n=e.frag;n.loaded=t.loaded,this.hls.trigger(re.a.FRAG_LOAD_PROGRESS,{frag:n,stats:t,networkDetails:r})},e}(le),Ue=Be,Ge=function(t){function e(i){A(this,e);var r=b(this,t.call(this,i,re.a.KEY_LOADING));return r.loaders={},r.decryptkey=null,r.decrypturl=null,r}return _(e,t),e.prototype.destroy=function(){for(var t in this.loaders){var e=this.loaders[t];e&&e.destroy()}this.loaders={},le.prototype.destroy.call(this)},e.prototype.onKeyLoading=function(t){var e=t.frag,i=e.type,r=this.loaders[i],n=e.decryptdata,a=n.uri;if(a!==this.decrypturl||null===this.decryptkey){var o=this.hls.config;r&&(ne.b.warn("abort previous key loader for type:"+i),r.abort()),e.loader=this.loaders[i]=new o.loader(o),this.decrypturl=a,this.decryptkey=null;var s=void 0,l=void 0,u=void 0;s={url:a,frag:e,responseType:"arraybuffer"},l={timeout:o.fragLoadingTimeOut,maxRetry:o.fragLoadingMaxRetry,retryDelay:o.fragLoadingRetryDelay,maxRetryDelay:o.fragLoadingMaxRetryTimeout},u={onSuccess:this.loadsuccess.bind(this),onError:this.loaderror.bind(this),onTimeout:this.loadtimeout.bind(this)},e.loader.load(s,l,u)}else this.decryptkey&&(n.key=this.decryptkey,this.hls.trigger(re.a.KEY_LOADED,{frag:e}))},e.prototype.loadsuccess=function(t,e,i){var r=i.frag;this.decryptkey=r.decryptdata.key=new Uint8Array(t.data),r.loader=void 0,this.loaders[r.type]=void 0,this.hls.trigger(re.a.KEY_LOADED,{frag:r})},e.prototype.loaderror=function(t,e){var i=e.frag,r=i.loader;r&&r.abort(),this.loaders[e.type]=void 0,this.hls.trigger(re.a.ERROR,{type:ee.b.NETWORK_ERROR,details:ee.a.KEY_LOAD_ERROR,fatal:!1,frag:i,response:t})},e.prototype.loadtimeout=function(t,e){var i=e.frag,r=i.loader;r&&r.abort(),this.loaders[e.type]=void 0,this.hls.trigger(re.a.ERROR,{type:ee.b.NETWORK_ERROR,details:ee.a.KEY_LOAD_TIMEOUT,fatal:!1,frag:i})},e}(le),Ke=Ge,je={NOT_LOADED:"NOT_LOADED",APPENDING:"APPENDING",PARTIAL:"PARTIAL",OK:"OK"},Ve=function(t){function e(i){E(this,e);var r=T(this,t.call(this,i,re.a.BUFFER_APPENDED,re.a.FRAG_BUFFERED,re.a.FRAG_LOADED));return r.bufferPadding=.2,r.fragments=Object.create(null),r.timeRanges=Object.create(null),r.config=i.config,r}return S(e,t),e.prototype.destroy=function(){this.fragments=null,this.timeRanges=null,this.config=null,le.prototype.destroy.call(this),t.prototype.destroy.call(this)},e.prototype.getBufferedFrag=function(t,e){var i=this.fragments,r=Object.keys(i).filter(function(r){var n=i[r];if(n.body.type!==e)return!1;if(!n.buffered)return!1;var a=n.body;return a.startPTS<=t&&t<=a.endPTS});if(0===r.length)return null;var n=r.pop();return i[n].body},e.prototype.detectEvictedFragments=function(t,e){var i=this,r=void 0,n=void 0;Object.keys(this.fragments).forEach(function(a){var o=i.fragments[a];if(!0===o.buffered){var s=o.range[t];if(s){r=s.time;for(var l=0;l<r.length;l++)if(n=r[l],!1===i.isTimeBuffered(n.startPTS,n.endPTS,e)){i.removeFragment(o.body);break}}}})},e.prototype.detectPartialFragments=function(t){var e=this,i=this.getFragmentKey(t),r=this.fragments[i];r&&(r.buffered=!0,Object.keys(this.timeRanges).forEach(function(i){if(t.hasElementaryStream(i)){var n=e.timeRanges[i];r.range[i]=e.getBufferedTimes(t.startPTS,t.endPTS,n)}}))},e.prototype.getBufferedTimes=function(t,e,i){for(var r=[],n=void 0,a=void 0,o=!1,s=0;s<i.length;s++){if(n=i.start(s)-this.bufferPadding,a=i.end(s)+this.bufferPadding,t>=n&&e<=a){r.push({startPTS:Math.max(t,i.start(s)),endPTS:Math.min(e,i.end(s))});break}if(t<a&&e>n)r.push({startPTS:Math.max(t,i.start(s)),endPTS:Math.min(e,i.end(s))}),o=!0;else if(e<=n)break}return{time:r,partial:o}},e.prototype.getFragmentKey=function(t){return t.type+"_"+t.level+"_"+t.urlId+"_"+t.sn},e.prototype.getPartialFragment=function(t){var e=this,i=void 0,r=void 0,n=void 0,a=null,o=0;return Object.keys(this.fragments).forEach(function(s){var l=e.fragments[s];e.isPartial(l)&&(r=l.body.startPTS-e.bufferPadding,n=l.body.endPTS+e.bufferPadding,t>=r&&t<=n&&(i=Math.min(t-r,n-t),o<=i&&(a=l.body,o=i)))}),a},e.prototype.getState=function(t){var e=this.getFragmentKey(t),i=this.fragments[e],r=je.NOT_LOADED;return void 0!==i&&(r=i.buffered?!0===this.isPartial(i)?je.PARTIAL:je.OK:je.APPENDING),r},e.prototype.isPartial=function(t){return!0===t.buffered&&(void 0!==t.range.video&&!0===t.range.video.partial||void 0!==t.range.audio&&!0===t.range.audio.partial)},e.prototype.isTimeBuffered=function(t,e,i){for(var r=void 0,n=void 0,a=0;a<i.length;a++){if(r=i.start(a)-this.bufferPadding,n=i.end(a)+this.bufferPadding,t>=r&&e<=n)return!0;if(e<=r)return!1}return!1},e.prototype.onFragLoaded=function(t){var e=t.frag;Object(ie.a)(e.sn)&&!e.bitrateTest&&(this.fragments[this.getFragmentKey(e)]={body:e,range:Object.create(null),buffered:!1})},e.prototype.onBufferAppended=function(t){var e=this;this.timeRanges=t.timeRanges,Object.keys(this.timeRanges).forEach(function(t){var i=e.timeRanges[t];e.detectEvictedFragments(t,i)})},e.prototype.onFragBuffered=function(t){this.detectPartialFragments(t.frag)},e.prototype.hasFragment=function(t){var e=this.getFragmentKey(t);return void 0!==this.fragments[e]},e.prototype.removeFragment=function(t){var e=this.getFragmentKey(t);delete this.fragments[e]},e.prototype.removeAllFragments=function(){this.fragments=Object.create(null)},e}(le),Ye={search:function(t,e){for(var i=0,r=t.length-1,n=null,a=null;i<=r;){n=(i+r)/2|0,a=t[n];var o=e(a);if(o>0)i=n+1;else{if(!(o<0))return a;r=n-1}}return null}},He=Ye,$e=function(){function t(){L(this,t)}return t.isBuffered=function(t,e){try{if(t)for(var i=t.buffered,r=0;r<i.length;r++)if(e>=i.start(r)&&e<=i.end(r))return!0}catch(t){}return!1},t.bufferInfo=function(t,e,i){try{if(t){var r=t.buffered,n=[],a=void 0;for(a=0;a<r.length;a++)n.push({start:r.start(a),end:r.end(a)});return this.bufferedInfo(n,e,i)}}catch(t){}return{len:0,start:e,end:e,nextStart:void 0}},t.bufferedInfo=function(t,e,i){var r=[],n=void 0,a=void 0,o=void 0,s=void 0,l=void 0;for(t.sort(function(t,e){var i=t.start-e.start;return i||e.end-t.end}),l=0;l<t.length;l++){var u=r.length;if(u){var c=r[u-1].end;t[l].start-c<i?t[l].end>c&&(r[u-1].end=t[l].end):r.push(t[l])}else r.push(t[l])}for(l=0,n=0,a=o=e;l<r.length;l++){var d=r[l].start,h=r[l].end;if(e+i>=d&&e<h)a=d,o=h,n=o-e;else if(e+i<d){s=d;break}}return{len:n,start:a,end:o,nextStart:s}},t}(),We=i(7),ze=i.n(We),qe=i(12),Xe=i.n(qe),Ze=i(10),Qe=i(4),Je=Object(Qe.a)(),ti=R(),ei=function(){function t(e,i){k(this,t),this.hls=e,this.id=i;var r=this.observer=new ze.a,n=e.config;r.trigger=function(t){for(var e=arguments.length,i=Array(e>1?e-1:0),n=1;n<e;n++)i[n-1]=arguments[n];r.emit.apply(r,[t,t].concat(i))},r.off=function(t){for(var e=arguments.length,i=Array(e>1?e-1:0),n=1;n<e;n++)i[n-1]=arguments[n];r.removeListener.apply(r,[t].concat(i))};var a=function(t,i){i=i||{},i.frag=this.frag,i.id=this.id,e.trigger(t,i)}.bind(this);r.on(re.a.FRAG_DECRYPTED,a),r.on(re.a.FRAG_PARSING_INIT_SEGMENT,a),r.on(re.a.FRAG_PARSING_DATA,a),r.on(re.a.FRAG_PARSED,a),r.on(re.a.ERROR,a),r.on(re.a.FRAG_PARSING_METADATA,a),r.on(re.a.FRAG_PARSING_USERDATA,a),r.on(re.a.INIT_PTS_FOUND,a);var o={mp4:ti.isTypeSupported("video/mp4"),mpeg:ti.isTypeSupported("audio/mpeg"),mp3:ti.isTypeSupported('audio/mp4; codecs="mp3"')},s=navigator.vendor;if(n.enableWorker&&"undefined"!=typeof Worker){ne.b.log("demuxing in webworker");var l=void 0;try{l=this.w=Xe()(13),this.onwmsg=this.onWorkerMessage.bind(this),l.addEventListener("message",this.onwmsg),l.onerror=function(t){e.trigger(re.a.ERROR,{type:ee.b.OTHER_ERROR,details:ee.a.INTERNAL_EXCEPTION,fatal:!0,event:"demuxerWorker",err:{message:t.message+" ("+t.filename+":"+t.lineno+")"}})},l.postMessage({cmd:"init",typeSupported:o,vendor:s,id:i,config:JSON.stringify(n)})}catch(t){ne.b.error("error while initializing DemuxerWorker, fallback on DemuxerInline"),l&&Je.URL.revokeObjectURL(l.objectURL),this.demuxer=new Ze.a(r,o,n,s),this.w=void 0}}else this.demuxer=new Ze.a(r,o,n,s)}return t.prototype.destroy=function(){var t=this.w;if(t)t.removeEventListener("message",this.onwmsg),t.terminate(),this.w=null;else{var e=this.demuxer;e&&(e.destroy(),this.demuxer=null)}var i=this.observer;i&&(i.removeAllListeners(),this.observer=null)},t.prototype.push=function(t,e,i,r,n,a,o,s){var l=this.w,u=Object(ie.a)(n.startDTS)?n.startDTS:n.start,c=n.decryptdata,d=this.frag,h=!(d&&n.cc===d.cc),f=!(d&&n.level===d.level),p=d&&n.sn===d.sn+1,g=!f&&p;if(h&&ne.b.log(this.id+":discontinuity detected"),f&&ne.b.log(this.id+":switch detected"),this.frag=n,l)l.postMessage({cmd:"demux",data:t,decryptdata:c,initSegment:e,audioCodec:i,videoCodec:r,timeOffset:u,discontinuity:h,trackSwitch:f,contiguous:g,duration:a,accurateTimeOffset:o,defaultInitPTS:s},t instanceof ArrayBuffer?[t]:[]);else{var y=this.demuxer;y&&y.push(t,c,e,i,r,u,h,f,g,a,o,s)}},t.prototype.onWorkerMessage=function(t){var e=t.data,i=this.hls;switch(e.event){case"init":Je.URL.revokeObjectURL(this.w.objectURL);break;case re.a.FRAG_PARSING_DATA:e.data.data1=new Uint8Array(e.data1),e.data2&&(e.data.data2=new Uint8Array(e.data2));default:e.data=e.data||{},e.data.frag=this.frag,e.data.id=this.id,i.trigger(e.event,e.data)}},t}(),ii=ei,ri={toString:function(t){for(var e="",i=t.length,r=0;r<i;r++)e+="["+t.start(r).toFixed(3)+","+t.end(r).toFixed(3)+"]";return e}},ni=ri,ai=function(t){function e(i){G(this,e);for(var r=arguments.length,n=Array(r>1?r-1:0),a=1;a<r;a++)n[a-1]=arguments[a];var o=K(this,t.call.apply(t,[this,i].concat(n)));return o._tickInterval=null,o._tickTimer=null,o._tickCallCount=0,o._boundTick=o.tick.bind(o),o}return j(e,t),e.prototype.onHandlerDestroying=function(){this.clearNextTick(),this.clearInterval()},e.prototype.hasInterval=function(){return!!this._tickInterval},e.prototype.hasNextTick=function(){return!!this._tickTimer},e.prototype.setInterval=function(t){function e(e){return t.apply(this,arguments)}return e.toString=function(){return t.toString()},e}(function(t){return!this._tickInterval&&(this._tickInterval=setInterval(this._boundTick,t),!0)}),e.prototype.clearInterval=function(t){function e(){return t.apply(this,arguments)}return e.toString=function(){return t.toString()},e}(function(){return!!this._tickInterval&&(clearInterval(this._tickInterval),this._tickInterval=null,!0)}),e.prototype.clearNextTick=function(){return!!this._tickTimer&&(clearTimeout(this._tickTimer),this._tickTimer=null,!0)},e.prototype.tick=function(){1===++this._tickCallCount&&(this.doTick(),this._tickCallCount>1&&(this.clearNextTick(),this._tickTimer=setTimeout(this._boundTick,0)),this._tickCallCount=0)},e.prototype.doTick=function(){},e}(le),oi=ai,si=function(){function t(e,i,r,n){W(this,t),this.config=e,this.media=i,this.fragmentTracker=r,this.hls=n,this.stallReported=!1}return t.prototype.poll=function(t,e){var i=this.config,r=this.media,n=r.currentTime,a=window.performance.now();if(n!==t)return this.stallReported&&(ne.b.warn("playback not stuck anymore @"+n+", after "+Math.round(a-this.stalled)+"ms"),this.stallReported=!1),this.stalled=null,void(this.nudgeRetry=0);if(!(r.ended||!r.buffered.length||r.readyState>2||r.seeking&&$e.isBuffered(r,n))){var o=a-this.stalled,s=$e.bufferInfo(r,n,i.maxBufferHole);if(!this.stalled)return void(this.stalled=a);o>=1e3&&this._reportStall(s.len),this._tryFixBufferStall(s,o)}},t.prototype._tryFixBufferStall=function(t,e){var i=this.config,r=this.fragmentTracker,n=this.media,a=n.currentTime,o=r.getPartialFragment(a);o&&this._trySkipBufferHole(o),t.len>.5&&e>1e3*i.highBufferWatchdogPeriod&&(this.stalled=null,this._tryNudgeBuffer())},t.prototype._reportStall=function(t){var e=this.hls,i=this.media;this.stallReported||(this.stallReported=!0,ne.b.warn("Playback stalling at @"+i.currentTime+" due to low buffer"),e.trigger(re.a.ERROR,{type:ee.b.MEDIA_ERROR,details:ee.a.BUFFER_STALLED_ERROR,fatal:!1,buffer:t}))},t.prototype._trySkipBufferHole=function(t){for(var e=this.hls,i=this.media,r=i.currentTime,n=0,a=0;a<i.buffered.length;a++){var o=i.buffered.start(a);if(r>=n&&r<o)return i.currentTime=Math.max(o,i.currentTime+.1),ne.b.warn("skipping hole, adjusting currentTime from "+r+" to "+i.currentTime),this.stalled=null,void e.trigger(re.a.ERROR,{type:ee.b.MEDIA_ERROR,details:ee.a.BUFFER_SEEK_OVER_HOLE,fatal:!1,reason:"fragment loaded with buffer holes, seeking from "+r+" to "+i.currentTime,frag:t});n=i.buffered.end(a)}},t.prototype._tryNudgeBuffer=function(){var t=this.config,e=this.hls,i=this.media,r=i.currentTime,n=(this.nudgeRetry||0)+1;if(this.nudgeRetry=n,n<t.nudgeMaxRetry){var a=r+n*t.nudgeOffset;ne.b.log("adjust currentTime from "+r+" to "+a),i.currentTime=a,e.trigger(re.a.ERROR,{type:ee.b.MEDIA_ERROR,details:ee.a.BUFFER_NUDGE_ON_STALL,fatal:!1})}else ne.b.error("still stuck in high buffer @"+r+" after "+t.nudgeMaxRetry+", raise fatal error"),e.trigger(re.a.ERROR,{type:ee.b.MEDIA_ERROR,details:ee.a.BUFFER_STALLED_ERROR,fatal:!0})},t}(),li=si,ui=function(){function t(t,e){for(var i=0;i<e.length;i++){var r=e[i];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(t,r.key,r)}}return function(e,i,r){return i&&t(e.prototype,i),r&&t(e,r),e}}(),ci={STOPPED:"STOPPED",IDLE:"IDLE",KEY_LOADING:"KEY_LOADING",FRAG_LOADING:"FRAG_LOADING",FRAG_LOADING_WAITING_RETRY:"FRAG_LOADING_WAITING_RETRY",WAITING_LEVEL:"WAITING_LEVEL",PARSING:"PARSING",PARSED:"PARSED",BUFFER_FLUSHING:"BUFFER_FLUSHING",ENDED:"ENDED",ERROR:"ERROR"},di=function(t){function e(i,r){z(this,e);var n=q(this,t.call(this,i,re.a.MEDIA_ATTACHED,re.a.MEDIA_DETACHING,re.a.MANIFEST_LOADING,re.a.MANIFEST_PARSED,re.a.LEVEL_LOADED,re.a.KEY_LOADED,re.a.FRAG_LOADED,re.a.FRAG_LOAD_EMERGENCY_ABORTED,re.a.FRAG_PARSING_INIT_SEGMENT,re.a.FRAG_PARSING_DATA,re.a.FRAG_PARSED,re.a.ERROR,re.a.AUDIO_TRACK_SWITCHING,re.a.AUDIO_TRACK_SWITCHED,re.a.BUFFER_CREATED,re.a.BUFFER_APPENDED,re.a.BUFFER_FLUSHED));return n.fragmentTracker=r,n.config=i.config,n.audioCodecSwap=!1,n._state=ci.STOPPED,n.stallReported=!1,n.gapController=null,n}return X(e,t),e.prototype.onHandlerDestroying=function(){this.stopLoad(),t.prototype.onHandlerDestroying.call(this)},e.prototype.onHandlerDestroyed=function(){this.state=ci.STOPPED,this.fragmentTracker=null,t.prototype.onHandlerDestroyed.call(this)},e.prototype.startLoad=function(t){if(this.levels){var e=this.lastCurrentTime,i=this.hls;if(this.stopLoad(),this.setInterval(100),this.level=-1,this.fragLoadError=0,!this.startFragRequested){var r=i.startLevel;-1===r&&(r=0,this.bitrateTest=!0),this.level=i.nextLoadLevel=r,this.loadedmetadata=!1}e>0&&-1===t&&(ne.b.log("override startPosition with lastCurrentTime @"+e.toFixed(3)),t=e),this.state=ci.IDLE,this.nextLoadPosition=this.startPosition=this.lastCurrentTime=t,this.tick()}else this.forceStartLoad=!0,this.state=ci.STOPPED},e.prototype.stopLoad=function(){var t=this.fragCurrent;t&&(t.loader&&t.loader.abort(),this.fragmentTracker.removeFragment(t),this.fragCurrent=null),this.fragPrevious=null,this.demuxer&&(this.demuxer.destroy(),this.demuxer=null),this.clearInterval(),this.state=ci.STOPPED,this.forceStartLoad=!1},e.prototype.doTick=function(){switch(this.state){case ci.BUFFER_FLUSHING:this.fragLoadError=0;break;case ci.IDLE:this._doTickIdle();break;case ci.WAITING_LEVEL:var t=this.levels[this.level];t&&t.details&&(this.state=ci.IDLE);break;case ci.FRAG_LOADING_WAITING_RETRY:var e=window.performance.now(),i=this.retryDate;(!i||e>=i||this.media&&this.media.seeking)&&(ne.b.log("mediaController: retryDate reached, switch back to IDLE state"),this.state=ci.IDLE);break;case ci.ERROR:case ci.STOPPED:case ci.FRAG_LOADING:case ci.PARSING:case ci.PARSED:case ci.ENDED:}this._checkBuffer(),this._checkFragmentChanged()},e.prototype._doTickIdle=function(){var t=this.hls,e=t.config,i=this.media;if(void 0!==this.levelLastLoaded&&(i||!this.startFragRequested&&e.startFragPrefetch)){var r=void 0;r=this.loadedmetadata?i.currentTime:this.nextLoadPosition;var n=t.nextLoadLevel,a=this.levels[n];if(a){var o=a.bitrate,s=void 0;s=o?Math.max(8*e.maxBufferSize/o,e.maxBufferLength):e.maxBufferLength,s=Math.min(s,e.maxMaxBufferLength);var l=$e.bufferInfo(this.mediaBuffer?this.mediaBuffer:i,r,e.maxBufferHole),u=l.len;if(!(u>=s)){ne.b.trace("buffer length of "+u.toFixed(3)+" is below max of "+s.toFixed(3)+". checking for more payload ..."),this.level=t.nextLoadLevel=n;var c=a.details;if(!c||c.live&&this.levelLastLoaded!==n)return void(this.state=ci.WAITING_LEVEL);var d=this.fragPrevious;if(!c.live&&d&&!d.backtracked&&d.sn===c.endSN&&!l.nextStart){if(Math.min(i.duration,d.start+d.duration)-Math.max(l.end,d.start)<=Math.max(.2,d.duration)){var h={};return this.altAudio&&(h.type="video"),this.hls.trigger(re.a.BUFFER_EOS,h),void(this.state=ci.ENDED)}}this._fetchPayloadOrEos(r,l,c)}}}},e.prototype._fetchPayloadOrEos=function(t,e,i){var r=this.fragPrevious,n=this.level,a=i.fragments,o=a.length;if(0!==o){var s=a[0].start,l=a[o-1].start+a[o-1].duration,u=e.end,c=void 0;if(i.initSegment&&!i.initSegment.data)c=i.initSegment;else if(i.live){var d=this.config.initialLiveManifestSize;if(o<d)return void ne.b.warn("Can not start playback of a level, reason: not enough fragments "+o+" < "+d);if(null===(c=this._ensureFragmentAtLivePoint(i,u,s,l,r,a,o)))return}else u<s&&(c=a[0]);c||(c=this._findFragment(s,r,o,a,u,l,i)),c&&(c.encrypted?(ne.b.log("Loading key for "+c.sn+" of ["+i.startSN+" ,"+i.endSN+"],level "+n),this._loadKey(c)):(ne.b.log("Loading "+c.sn+" of ["+i.startSN+" ,"+i.endSN+"],level "+n+", currentTime:"+t.toFixed(3)+",bufferEnd:"+u.toFixed(3)),this._loadFragment(c)))}},e.prototype._ensureFragmentAtLivePoint=function(t,e,i,r,n,a,o){var s=this.hls.config,l=this.media,u=void 0,c=void 0!==s.liveMaxLatencyDuration?s.liveMaxLatencyDuration:s.liveMaxLatencyDurationCount*t.targetduration;if(e<Math.max(i-s.maxFragLookUpTolerance,r-c)){var d=this.liveSyncPosition=this.computeLivePosition(i,t);ne.b.log("buffer end: "+e.toFixed(3)+" is located too far from the end of live sliding playlist, reset currentTime to : "+d.toFixed(3)),e=d,l&&l.readyState&&l.duration>d&&(l.currentTime=d),this.nextLoadPosition=d}if(t.PTSKnown&&e>r&&l&&l.readyState)return null;if(this.startFragRequested&&!t.PTSKnown){if(n)if(t.hasProgramDateTime)ne.b.log("live playlist, switching playlist, load frag with same PDT: "+n.programDateTime),u=V(a,n.endProgramDateTime,s.maxFragLookUpTolerance);else{var h=n.sn+1;if(h>=t.startSN&&h<=t.endSN){var f=a[h-t.startSN];n.cc===f.cc&&(u=f,ne.b.log("live playlist, switching playlist, load frag with next SN: "+u.sn))}u||(u=He.search(a,function(t){return n.cc-t.cc}))&&ne.b.log("live playlist, switching playlist, load frag with same CC: "+u.sn)}u||(u=a[Math.min(o-1,Math.round(o/2))],ne.b.log("live playlist, switching playlist, unknown, load middle frag : "+u.sn))}return u},e.prototype._findFragment=function(t,e,i,r,n,a,o){var s=this.hls.config,l=void 0;if(n<a){l=Y(e,r,n,n>a-s.maxFragLookUpTolerance?0:s.maxFragLookUpTolerance)}else l=r[i-1];if(l){var u=l.sn-o.startSN,c=e&&l.level===e.level,d=r[u-1],h=r[u+1];if(e&&l.sn===e.sn)if(c&&!l.backtracked)if(l.sn<o.endSN){var f=e.deltaPTS;f&&f>s.maxBufferHole&&e.dropped&&u?(l=d,ne.b.warn("SN just loaded, with large PTS gap between audio and video, maybe frag is not starting with a keyframe ? load previous one to try to overcome this")):(l=h,ne.b.log("SN just loaded, load next one: "+l.sn,l))}else l=null;else l.backtracked&&(h&&h.backtracked?(ne.b.warn("Already backtracked from fragment "+h.sn+", will not backtrack to fragment "+l.sn+". Loading fragment "+h.sn),l=h):(ne.b.warn("Loaded fragment with dropped frames, backtracking 1 segment to find a keyframe"),l.dropped=0,d?(l=d,l.backtracked=!0):u&&(l=null)))}return l},e.prototype._loadKey=function(t){this.state=ci.KEY_LOADING,this.hls.trigger(re.a.KEY_LOADING,{frag:t})},e.prototype._loadFragment=function(t){var e=this.fragmentTracker.getState(t);this.fragCurrent=t,this.startFragRequested=!0,Object(ie.a)(t.sn)&&!t.bitrateTest&&(this.nextLoadPosition=t.start+t.duration),t.backtracked||e===je.NOT_LOADED||e===je.PARTIAL?(t.autoLevel=this.hls.autoLevelEnabled,t.bitrateTest=this.bitrateTest,this.hls.trigger(re.a.FRAG_LOADING,{frag:t}),this.demuxer||(this.demuxer=new ii(this.hls,"main")),this.state=ci.FRAG_LOADING):e===je.APPENDING&&this._reduceMaxBufferLength(t.duration)&&this.fragmentTracker.removeFragment(t)},e.prototype.getBufferedFrag=function(t){return this.fragmentTracker.getBufferedFrag(t,Fe.LevelType.MAIN)},e.prototype.followingBufferedFrag=function(t){return t?this.getBufferedFrag(t.endPTS+.5):null},e.prototype._checkFragmentChanged=function(){var t=void 0,e=void 0,i=this.media;if(i&&i.readyState&&!1===i.seeking&&(e=i.currentTime,e>this.lastCurrentTime&&(this.lastCurrentTime=e),$e.isBuffered(i,e)?t=this.getBufferedFrag(e):$e.isBuffered(i,e+.1)&&(t=this.getBufferedFrag(e+.1)),t)){var r=t;if(r!==this.fragPlaying){this.hls.trigger(re.a.FRAG_CHANGED,{frag:r});var n=r.level;this.fragPlaying&&this.fragPlaying.level===n||this.hls.trigger(re.a.LEVEL_SWITCHED,{level:n}),this.fragPlaying=r}}},e.prototype.immediateLevelSwitch=function(){if(ne.b.log("immediateLevelSwitch"),!this.immediateSwitch){this.immediateSwitch=!0;var t=this.media,e=void 0;t?(e=t.paused,t.pause()):e=!0,this.previouslyPaused=e}var i=this.fragCurrent;i&&i.loader&&i.loader.abort(),this.fragCurrent=null,this.flushMainBuffer(0,Number.POSITIVE_INFINITY)},e.prototype.immediateLevelSwitchEnd=function(){var t=this.media;t&&t.buffered.length&&(this.immediateSwitch=!1,$e.isBuffered(t,t.currentTime)&&(t.currentTime-=1e-4),this.previouslyPaused||t.play())},e.prototype.nextLevelSwitch=function(){var t=this.media;if(t&&t.readyState){var e=void 0,i=void 0,r=void 0;if(i=this.getBufferedFrag(t.currentTime),i&&i.startPTS>1&&this.flushMainBuffer(0,i.startPTS-1),t.paused)e=0;else{var n=this.hls.nextLoadLevel,a=this.levels[n],o=this.fragLastKbps;e=o&&this.fragCurrent?this.fragCurrent.duration*a.bitrate/(1e3*o)+1:0}if((r=this.getBufferedFrag(t.currentTime+e))&&(r=this.followingBufferedFrag(r))){var s=this.fragCurrent;s&&s.loader&&s.loader.abort(),this.fragCurrent=null,this.flushMainBuffer(r.maxStartPTS,Number.POSITIVE_INFINITY)}}},e.prototype.flushMainBuffer=function(t,e){this.state=ci.BUFFER_FLUSHING;var i={startOffset:t,endOffset:e};this.altAudio&&(i.type="video"),this.hls.trigger(re.a.BUFFER_FLUSHING,i)},e.prototype.onMediaAttached=function(t){var e=this.media=this.mediaBuffer=t.media;this.onvseeking=this.onMediaSeeking.bind(this),this.onvseeked=this.onMediaSeeked.bind(this),this.onvended=this.onMediaEnded.bind(this),e.addEventListener("seeking",this.onvseeking),e.addEventListener("seeked",this.onvseeked),e.addEventListener("ended",this.onvended);var i=this.config;this.levels&&i.autoStartLoad&&this.hls.startLoad(i.startPosition),this.gapController=new li(i,e,this.fragmentTracker,this.hls)},e.prototype.onMediaDetaching=function(){var t=this.media;t&&t.ended&&(ne.b.log("MSE detaching and video ended, reset startPosition"),this.startPosition=this.lastCurrentTime=0);var e=this.levels;e&&e.forEach(function(t){t.details&&t.details.fragments.forEach(function(t){t.backtracked=void 0})}),t&&(t.removeEventListener("seeking",this.onvseeking),t.removeEventListener("seeked",this.onvseeked),t.removeEventListener("ended",this.onvended),this.onvseeking=this.onvseeked=this.onvended=null),this.media=this.mediaBuffer=null,this.loadedmetadata=!1,this.stopLoad()},e.prototype.onMediaSeeking=function(){var t=this.media,e=t?t.currentTime:void 0,i=this.config;Object(ie.a)(e)&&ne.b.log("media seeking to "+e.toFixed(3));var r=this.mediaBuffer?this.mediaBuffer:t,n=$e.bufferInfo(r,e,this.config.maxBufferHole);if(this.state===ci.FRAG_LOADING){var a=this.fragCurrent;if(0===n.len&&a){var o=i.maxFragLookUpTolerance,s=a.start-o,l=a.start+a.duration+o;e<s||e>l?(a.loader&&(ne.b.log("seeking outside of buffer while fragment load in progress, cancel fragment load"),a.loader.abort()),this.fragCurrent=null,this.fragPrevious=null,this.state=ci.IDLE):ne.b.log("seeking outside of buffer but within currently loaded fragment range")}}else this.state===ci.ENDED&&(0===n.len&&(this.fragPrevious=0),this.state=ci.IDLE);t&&(this.lastCurrentTime=e),this.loadedmetadata||(this.nextLoadPosition=this.startPosition=e),this.tick()},e.prototype.onMediaSeeked=function(){var t=this.media,e=t?t.currentTime:void 0;Object(ie.a)(e)&&ne.b.log("media seeked to "+e.toFixed(3)),this.tick()},e.prototype.onMediaEnded=function(){ne.b.log("media ended"),this.startPosition=this.lastCurrentTime=0},e.prototype.onManifestLoading=function(){ne.b.log("trigger BUFFER_RESET"),this.hls.trigger(re.a.BUFFER_RESET),this.fragmentTracker.removeAllFragments(),this.stalled=!1,this.startPosition=this.lastCurrentTime=0},e.prototype.onManifestParsed=function(t){var e=!1,i=!1,r=void 0;t.levels.forEach(function(t){(r=t.audioCodec)&&(-1!==r.indexOf("mp4a.40.2")&&(e=!0),-1!==r.indexOf("mp4a.40.5")&&(i=!0))}),this.audioCodecSwitch=e&&i,this.audioCodecSwitch&&ne.b.log("both AAC/HE-AAC audio found in levels; declaring level codec as HE-AAC"),this.levels=t.levels,this.startFragRequested=!1;var n=this.config;(n.autoStartLoad||this.forceStartLoad)&&this.hls.startLoad(n.startPosition)},e.prototype.onLevelLoaded=function(t){var e=t.details,i=t.level,r=this.levels[this.levelLastLoaded],n=this.levels[i],a=e.totalduration,o=0;if(ne.b.log("level "+i+" loaded ["+e.startSN+","+e.endSN+"],duration:"+a),e.live){var s=n.details;s&&e.fragments.length>0?(O(s,e),o=e.fragments[0].start,this.liveSyncPosition=this.computeLivePosition(o,s),e.PTSKnown&&Object(ie.a)(o)?ne.b.log("live playlist sliding:"+o.toFixed(3)):(ne.b.log("live playlist - outdated PTS, unknown sliding"),F(this.fragPrevious,r,e))):(ne.b.log("live playlist - first load, unknown sliding"),e.PTSKnown=!1,F(this.fragPrevious,r,e))}else e.PTSKnown=!1;if(n.details=e,this.levelLastLoaded=i,this.hls.trigger(re.a.LEVEL_UPDATED,{details:e,level:i}),!1===this.startFragRequested){if(-1===this.startPosition||-1===this.lastCurrentTime){var l=e.startTimeOffset;Object(ie.a)(l)?(l<0&&(ne.b.log("negative start time offset "+l+", count from end of last fragment"),l=o+a+l),ne.b.log("start time offset found in playlist, adjust startPosition to "+l),this.startPosition=l):e.live?(this.startPosition=this.computeLivePosition(o,e),ne.b.log("configure startPosition to "+this.startPosition)):this.startPosition=0,this.lastCurrentTime=this.startPosition}this.nextLoadPosition=this.startPosition}this.state===ci.WAITING_LEVEL&&(this.state=ci.IDLE),this.tick()},e.prototype.onKeyLoaded=function(){this.state===ci.KEY_LOADING&&(this.state=ci.IDLE,this.tick())},e.prototype.onFragLoaded=function(t){var e=this.fragCurrent,i=this.hls,r=this.levels,n=this.media,a=t.frag;if(this.state===ci.FRAG_LOADING&&e&&"main"===a.type&&a.level===e.level&&a.sn===e.sn){var o=t.stats,s=r[e.level],l=s.details;if(this.bitrateTest=!1,this.stats=o,ne.b.log("Loaded "+e.sn+" of ["+l.startSN+" ,"+l.endSN+"],level "+e.level),a.bitrateTest&&i.nextLoadLevel)this.state=ci.IDLE,this.startFragRequested=!1,o.tparsed=o.tbuffered=window.performance.now(),i.trigger(re.a.FRAG_BUFFERED,{stats:o,frag:e,id:"main"}),this.tick();else if("initSegment"===a.sn)this.state=ci.IDLE,o.tparsed=o.tbuffered=window.performance.now(),l.initSegment.data=t.payload,i.trigger(re.a.FRAG_BUFFERED,{stats:o,frag:e,id:"main"}),this.tick();else{ne.b.log("Parsing "+e.sn+" of ["+l.startSN+" ,"+l.endSN+"],level "+e.level+", cc "+e.cc),this.state=ci.PARSING,this.pendingBuffering=!0,this.appended=!1,a.bitrateTest&&(a.bitrateTest=!1,this.fragmentTracker.onFragLoaded({frag:a}));var u=!(n&&n.seeking)&&(l.PTSKnown||!l.live),c=l.initSegment?l.initSegment.data:[],d=this._getAudioCodec(s),h=this.demuxer=this.demuxer||new ii(this.hls,"main");h.push(t.payload,c,d,s.videoCodec,e,l.totalduration,u)}}this.fragLoadError=0},e.prototype.onFragParsingInitSegment=function(t){var e=this.fragCurrent,i=t.frag;if(e&&"main"===t.id&&i.sn===e.sn&&i.level===e.level&&this.state===ci.PARSING){var r=t.tracks,n=void 0,a=void 0;if(r.audio&&this.altAudio&&delete r.audio,a=r.audio){var o=this.levels[this.level].audioCodec,s=navigator.userAgent.toLowerCase();o&&this.audioCodecSwap&&(ne.b.log("swapping playlist audio codec"),o=-1!==o.indexOf("mp4a.40.5")?"mp4a.40.2":"mp4a.40.5"),this.audioCodecSwitch&&1!==a.metadata.channelCount&&-1===s.indexOf("firefox")&&(o="mp4a.40.5"),-1!==s.indexOf("android")&&"audio/mpeg"!==a.container&&(o="mp4a.40.2",ne.b.log("Android: force audio codec to "+o)),a.levelCodec=o,a.id=t.id}a=r.video,a&&(a.levelCodec=this.levels[this.level].videoCodec,a.id=t.id),this.hls.trigger(re.a.BUFFER_CODECS,r);for(n in r){a=r[n],ne.b.log("main track:"+n+",container:"+a.container+",codecs[level/parsed]=["+a.levelCodec+"/"+a.codec+"]");var l=a.initSegment;l&&(this.appended=!0,this.pendingBuffering=!0,this.hls.trigger(re.a.BUFFER_APPENDING,{type:n,data:l,parent:"main",content:"initSegment"}))}this.tick()}},e.prototype.onFragParsingData=function(t){var e=this,i=this.fragCurrent,r=t.frag;if(i&&"main"===t.id&&r.sn===i.sn&&r.level===i.level&&("audio"!==t.type||!this.altAudio)&&this.state===ci.PARSING){var n=this.levels[this.level],a=i;if(Object(ie.a)(t.endPTS)||(t.endPTS=t.startPTS+i.duration,t.endDTS=t.startDTS+i.duration),!0===t.hasAudio&&a.addElementaryStream(ge.ElementaryStreamTypes.AUDIO),!0===t.hasVideo&&a.addElementaryStream(ge.ElementaryStreamTypes.VIDEO),ne.b.log("Parsed "+t.type+",PTS:["+t.startPTS.toFixed(3)+","+t.endPTS.toFixed(3)+"],DTS:["+t.startDTS.toFixed(3)+"/"+t.endDTS.toFixed(3)+"],nb:"+t.nb+",dropped:"+(t.dropped||0)),"video"===t.type)if(a.dropped=t.dropped,a.dropped)if(a.backtracked)ne.b.warn("Already backtracked on this fragment, appending with the gap",a.sn);else{var o=n.details;if(!o||a.sn!==o.startSN)return ne.b.warn("missing video frame(s), backtracking fragment",a.sn),this.fragmentTracker.removeFragment(a),a.backtracked=!0,this.nextLoadPosition=t.startPTS,this.state=ci.IDLE,this.fragPrevious=a,void this.tick();ne.b.warn("missing video frame(s) on first frag, appending with gap",a.sn)}else a.backtracked=!1;var s=I(n.details,a,t.startPTS,t.endPTS,t.startDTS,t.endDTS),l=this.hls;l.trigger(re.a.LEVEL_PTS_UPDATED,{details:n.details,level:this.level,drift:s,type:t.type,start:t.startPTS,end:t.endPTS}),[t.data1,t.data2].forEach(function(i){i&&i.length&&e.state===ci.PARSING&&(e.appended=!0,e.pendingBuffering=!0,l.trigger(re.a.BUFFER_APPENDING,{type:t.type,data:i,parent:"main",content:"data"}))}),this.tick()}},e.prototype.onFragParsed=function(t){var e=this.fragCurrent,i=t.frag;e&&"main"===t.id&&i.sn===e.sn&&i.level===e.level&&this.state===ci.PARSING&&(this.stats.tparsed=window.performance.now(),this.state=ci.PARSED,this._checkAppendedParsed())},e.prototype.onAudioTrackSwitching=function(t){var e=!!t.url,i=t.id;if(!e){if(this.mediaBuffer!==this.media){ne.b.log("switching on main audio, use media.buffered to schedule main fragment loading"),this.mediaBuffer=this.media;var r=this.fragCurrent;r.loader&&(ne.b.log("switching to main audio track, cancel main fragment load"),r.loader.abort()),this.fragCurrent=null,this.fragPrevious=null,this.demuxer&&(this.demuxer.destroy(),this.demuxer=null),this.state=ci.IDLE}var n=this.hls;n.trigger(re.a.BUFFER_FLUSHING,{startOffset:0,endOffset:Number.POSITIVE_INFINITY,type:"audio"}),n.trigger(re.a.AUDIO_TRACK_SWITCHED,{id:i}),this.altAudio=!1}},e.prototype.onAudioTrackSwitched=function(t){var e=t.id,i=!!this.hls.audioTracks[e].url;if(i){var r=this.videoBuffer;r&&this.mediaBuffer!==r&&(ne.b.log("switching on alternate audio, use video.buffered to schedule main fragment loading"),this.mediaBuffer=r)}this.altAudio=i,this.tick()},e.prototype.onBufferCreated=function(t){var e=t.tracks,i=void 0,r=void 0,n=!1;for(var a in e){var o=e[a];"main"===o.id?(r=a,i=o,"video"===a&&(this.videoBuffer=e[a].buffer)):n=!0}n&&i?(ne.b.log("alternate track found, use "+r+".buffered to schedule main fragment loading"),this.mediaBuffer=i.buffer):this.mediaBuffer=this.media},e.prototype.onBufferAppended=function(t){if("main"===t.parent){var e=this.state;e!==ci.PARSING&&e!==ci.PARSED||(this.pendingBuffering=t.pending>0,this._checkAppendedParsed())}},e.prototype._checkAppendedParsed=function(){if(!(this.state!==ci.PARSED||this.appended&&this.pendingBuffering)){var t=this.fragCurrent;if(t){var e=this.mediaBuffer?this.mediaBuffer:this.media;ne.b.log("main buffered : "+ni.toString(e.buffered)),this.fragPrevious=t;var i=this.stats;i.tbuffered=window.performance.now(),this.fragLastKbps=Math.round(8*i.total/(i.tbuffered-i.tfirst)),this.hls.trigger(re.a.FRAG_BUFFERED,{stats:i,frag:t,id:"main"}),this.state=ci.IDLE}this.tick()}},e.prototype.onError=function(t){var e=t.frag||this.fragCurrent;if(!e||"main"===e.type){var i=!!this.media&&$e.isBuffered(this.media,this.media.currentTime)&&$e.isBuffered(this.media,this.media.currentTime+.5);switch(t.details){case ee.a.FRAG_LOAD_ERROR:case ee.a.FRAG_LOAD_TIMEOUT:case ee.a.KEY_LOAD_ERROR:case ee.a.KEY_LOAD_TIMEOUT:if(!t.fatal)if(this.fragLoadError+1<=this.config.fragLoadingMaxRetry){var r=Math.min(Math.pow(2,this.fragLoadError)*this.config.fragLoadingRetryDelay,this.config.fragLoadingMaxRetryTimeout);ne.b.warn("mediaController: frag loading failed, retry in "+r+" ms"),this.retryDate=window.performance.now()+r,this.loadedmetadata||(this.startFragRequested=!1,this.nextLoadPosition=this.startPosition),this.fragLoadError++,this.state=ci.FRAG_LOADING_WAITING_RETRY}else ne.b.error("mediaController: "+t.details+" reaches max retry, redispatch as fatal ..."),t.fatal=!0,this.state=ci.ERROR;break;case ee.a.LEVEL_LOAD_ERROR:case ee.a.LEVEL_LOAD_TIMEOUT:this.state!==ci.ERROR&&(t.fatal?(this.state=ci.ERROR,ne.b.warn("streamController: "+t.details+",switch to "+this.state+" state ...")):t.levelRetry||this.state!==ci.WAITING_LEVEL||(this.state=ci.IDLE));break;case ee.a.BUFFER_FULL_ERROR:"main"!==t.parent||this.state!==ci.PARSING&&this.state!==ci.PARSED||(i?(this._reduceMaxBufferLength(this.config.maxBufferLength),this.state=ci.IDLE):(ne.b.warn("buffer full error also media.currentTime is not buffered, flush everything"),this.fragCurrent=null,this.flushMainBuffer(0,Number.POSITIVE_INFINITY)))}}},e.prototype._reduceMaxBufferLength=function(t){var e=this.config;return e.maxMaxBufferLength>=t&&(e.maxMaxBufferLength/=2,ne.b.warn("main:reduce max buffer length to "+e.maxMaxBufferLength+"s"),!0)},e.prototype._checkBuffer=function(){var t=this.media;if(t&&0!==t.readyState){var e=this.mediaBuffer?this.mediaBuffer:t,i=e.buffered;!this.loadedmetadata&&i.length?(this.loadedmetadata=!0,this._seekToStartPos()):this.immediateSwitch?this.immediateLevelSwitchEnd():this.gapController.poll(this.lastCurrentTime,i)}},e.prototype.onFragLoadEmergencyAborted=function(){this.state=ci.IDLE,this.loadedmetadata||(this.startFragRequested=!1,this.nextLoadPosition=this.startPosition),this.tick()},e.prototype.onBufferFlushed=function(){var t=this.mediaBuffer?this.mediaBuffer:this.media;t&&this.fragmentTracker.detectEvictedFragments(ge.ElementaryStreamTypes.VIDEO,t.buffered),this.state=ci.IDLE,this.fragPrevious=null},e.prototype.swapAudioCodec=function(){this.audioCodecSwap=!this.audioCodecSwap},e.prototype.computeLivePosition=function(t,e){var i=void 0!==this.config.liveSyncDuration?this.config.liveSyncDuration:this.config.liveSyncDurationCount*e.targetduration;return t+Math.max(0,e.totalduration-i)},e.prototype._seekToStartPos=function(){var t=this.media,e=t.currentTime,i=t.seeking?e:this.startPosition;e!==i&&(ne.b.log("target start position not buffered, seek to buffered.start(0) "+i+" from current time "+e+" "),t.currentTime=i)},e.prototype._getAudioCodec=function(t){var e=this.config.defaultAudioCodec||t.audioCodec;return this.audioCodecSwap&&(ne.b.log("swapping playlist audio codec"),e&&(e=-1!==e.indexOf("mp4a.40.5")?"mp4a.40.2":"mp4a.40.5")),e},ui(e,[{key:"state",set:function(t){if(this.state!==t){var e=this.state;this._state=t,ne.b.log("main stream:"+e+"->"+t),this.hls.trigger(re.a.STREAM_STATE_TRANSITION,{previousState:e,nextState:t})}},get:function(){return this._state}},{key:"currentLevel",get:function(){var t=this.media;if(t){var e=this.getBufferedFrag(t.currentTime);if(e)return e.level}return-1}},{key:"nextBufferedFrag",get:function(){var t=this.media;return t?this.followingBufferedFrag(this.getBufferedFrag(t.currentTime)):null}},{key:"nextLevel",get:function(){var t=this.nextBufferedFrag;return t?t.level:-1}},{key:"liveSyncPosition",get:function(){return this._liveSyncPosition},set:function(t){this._liveSyncPosition=t}}]),e}(oi),hi=di,fi="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(t){return typeof t}:function(t){return t&&"function"==typeof Symbol&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t},pi=function(){function t(t,e){for(var i=0;i<e.length;i++){var r=e[i];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(t,r.key,r)}}return function(e,i,r){return i&&t(e.prototype,i),r&&t(e,r),e}}(),gi=window,yi=gi.performance,vi=function(t){function e(i){Z(this,e);var r=Q(this,t.call(this,i,re.a.MANIFEST_LOADED,re.a.LEVEL_LOADED,re.a.AUDIO_TRACK_SWITCHED,re.a.FRAG_LOADED,re.a.ERROR));return r.canload=!1,r.currentLevelIndex=null,r.manualLevelIndex=-1,r.timer=null,r}return J(e,t),e.prototype.onHandlerDestroying=function(){this.clearTimer(),this.manualLevelIndex=-1},e.prototype.clearTimer=function(){null!==this.timer&&(clearTimeout(this.timer),this.timer=null)},e.prototype.startLoad=function(){var t=this._levels;this.canload=!0,this.levelRetryCount=0,t&&t.forEach(function(t){t.loadError=0;var e=t.details;e&&e.live&&(t.details=void 0)}),null!==this.timer&&this.loadLevel()},e.prototype.stopLoad=function(){this.canload=!1},e.prototype.onManifestLoaded=function(t){var e=[],i=void 0,r={},n=null,a=!1,o=!1,s=/chrome|firefox/.test(navigator.userAgent.toLowerCase()),l=[];if(t.levels.forEach(function(t){t.loadError=0,t.fragmentError=!1,a=a||!!t.videoCodec,o=o||!!t.audioCodec||!(!t.attrs||!t.attrs.AUDIO),s&&t.audioCodec&&-1!==t.audioCodec.indexOf("mp4a.40.34")&&(t.audioCodec=void 0),n=r[t.bitrate],n?n.url.push(t.url):(t.url=[t.url],t.urlId=0,r[t.bitrate]=t,e.push(t)),t.attrs&&t.attrs.AUDIO&&w(n||t,"audio",t.attrs.AUDIO),t.attrs&&t.attrs.SUBTITLES&&w(n||t,"text",t.attrs.SUBTITLES)}),a&&o&&(e=e.filter(function(t){return!!t.videoCodec})),e=e.filter(function(t){var e=t.audioCodec,i=t.videoCodec;return(!e||u(e))&&(!i||u(i))}),t.audioTracks&&(l=t.audioTracks.filter(function(t){return!t.audioCodec||u(t.audioCodec,"audio")}),l.forEach(function(t,e){t.id=e})),e.length>0){i=e[0].bitrate,e.sort(function(t,e){return t.bitrate-e.bitrate}),this._levels=e;for(var c=0;c<e.length;c++)if(e[c].bitrate===i){this._firstLevel=c,ne.b.log("manifest loaded,"+e.length+" level(s) found, first bitrate:"+i);break}this.hls.trigger(re.a.MANIFEST_PARSED,{levels:e,audioTracks:l,firstLevel:this._firstLevel,stats:t.stats,audio:o,video:a,altAudio:l.length>0&&a})}else this.hls.trigger(re.a.ERROR,{type:ee.b.MEDIA_ERROR,details:ee.a.MANIFEST_INCOMPATIBLE_CODECS_ERROR,fatal:!0,url:this.hls.url,reason:"no level with compatible codecs found in manifest"})},e.prototype.setLevelInternal=function(t){var e=this._levels,i=this.hls;if(t>=0&&t<e.length){if(this.clearTimer(),this.currentLevelIndex!==t){ne.b.log("switching to level "+t),this.currentLevelIndex=t;var r=e[t];r.level=t,i.trigger(re.a.LEVEL_SWITCHING,r)}var n=e[t],a=n.details;if(!a||a.live){var o=n.urlId;i.trigger(re.a.LEVEL_LOADING,{url:n.url[o],level:t,id:o})}}else i.trigger(re.a.ERROR,{type:ee.b.OTHER_ERROR,details:ee.a.LEVEL_SWITCH_ERROR,level:t,fatal:!1,reason:"invalid level idx"})},e.prototype.onError=function(t){if(t.fatal)return void(t.type===ee.b.NETWORK_ERROR&&this.clearTimer());var e=!1,i=!1,r=void 0;switch(t.details){case ee.a.FRAG_LOAD_ERROR:case ee.a.FRAG_LOAD_TIMEOUT:case ee.a.KEY_LOAD_ERROR:case ee.a.KEY_LOAD_TIMEOUT:r=t.frag.level,i=!0;break;case ee.a.LEVEL_LOAD_ERROR:case ee.a.LEVEL_LOAD_TIMEOUT:r=t.context.level,e=!0;break;case ee.a.REMUX_ALLOC_ERROR:r=t.level,e=!0}void 0!==r&&this.recoverLevel(t,r,e,i)},e.prototype.recoverLevel=function(t,e,i,r){var n=this,a=this.hls.config,o=t.details,s=this._levels[e],l=void 0,u=void 0,c=void 0;if(s.loadError++,s.fragmentError=r,i){if(!(this.levelRetryCount+1<=a.levelLoadingMaxRetry))return ne.b.error("level controller, cannot recover from "+o+" error"),this.currentLevelIndex=null,this.clearTimer(),void(t.fatal=!0);u=Math.min(Math.pow(2,this.levelRetryCount)*a.levelLoadingRetryDelay,a.levelLoadingMaxRetryTimeout),this.timer=setTimeout(function(){return n.loadLevel()},u),t.levelRetry=!0,this.levelRetryCount++,ne.b.warn("level controller, "+o+", retry in "+u+" ms, current retry count is "+this.levelRetryCount)}(i||r)&&(l=s.url.length,l>1&&s.loadError<l?(s.urlId=(s.urlId+1)%l,s.details=void 0,ne.b.warn("level controller, "+o+" for level "+e+": switching to redundant URL-id "+s.urlId)):-1===this.manualLevelIndex?(c=0===e?this._levels.length-1:e-1,ne.b.warn("level controller, "+o+": switch to "+c),this.hls.nextAutoLevel=this.currentLevelIndex=c):r&&(ne.b.warn("level controller, "+o+": reload a fragment"),this.currentLevelIndex=null))},e.prototype.onFragLoaded=function(t){var e=t.frag;if(void 0!==e&&"main"===e.type){var i=this._levels[e.level];void 0!==i&&(i.fragmentError=!1,i.loadError=0,this.levelRetryCount=0)}},e.prototype.onLevelLoaded=function(t){var e=this,i=t.level;if(i===this.currentLevelIndex){var r=this._levels[i];r.fragmentError||(r.loadError=0,this.levelRetryCount=0);var n=t.details;if(n.live){var a=1e3*(n.averagetargetduration?n.averagetargetduration:n.targetduration),o=a,s=r.details;s&&n.endSN===s.endSN&&(o/=2,ne.b.log("same live playlist, reload twice faster")),o-=yi.now()-t.stats.trequest,o=Math.max(a/2,Math.round(o)),ne.b.log("live playlist, reload in "+Math.round(o)+" ms"),this.timer=setTimeout(function(){return e.loadLevel()},o)}else this.clearTimer()}},e.prototype.onAudioTrackSwitched=function(t){var e=this.hls.audioTracks[t.id].groupId,i=this.hls.levels[this.currentLevelIndex];if(i&&i.audioGroupIds){var r=i.audioGroupIds.findIndex(function(t){return t===e});r!==i.urlId&&(i.urlId=r,this.startLoad())}},e.prototype.loadLevel=function(){if(ne.b.debug("call to loadLevel"),null!==this.currentLevelIndex&&this.canload){var t=this._levels[this.currentLevelIndex];if("object"===(void 0===t?"undefined":fi(t))&&t.url.length>0){var e=this.currentLevelIndex,i=t.urlId,r=t.url[i];ne.b.log("Attempt loading level index "+e+" with URL-id "+i),this.hls.trigger(re.a.LEVEL_LOADING,{url:r,level:e,id:i})}}},pi(e,[{key:"levels",get:function(){return this._levels}},{key:"level",get:function(){return this.currentLevelIndex},set:function(t){var e=this._levels;e&&(t=Math.min(t,e.length-1),this.currentLevelIndex===t&&e[t].details||this.setLevelInternal(t))}},{key:"manualLevel",get:function(){return this.manualLevelIndex},set:function(t){this.manualLevelIndex=t,void 0===this._startLevel&&(this._startLevel=t),-1!==t&&(this.level=t)}},{key:"firstLevel",get:function(){return this._firstLevel},set:function(t){this._firstLevel=t}},{key:"startLevel",get:function(){if(void 0===this._startLevel){var t=this.hls.config.startLevel;return void 0!==t?t:this._firstLevel}return this._startLevel},set:function(t){this._startLevel=t}},{key:"nextLoadLevel",get:function(){return-1!==this.manualLevelIndex?this.manualLevelIndex:this.hls.nextAutoLevel},set:function(t){this.level=t,-1===this.manualLevelIndex&&(this.hls.nextAutoLevel=t)}}]),e}(le),mi=vi,Ai=i(6),bi=function(t){function e(i){it(this,e);var r=rt(this,t.call(this,i,re.a.MEDIA_ATTACHED,re.a.MEDIA_DETACHING,re.a.FRAG_PARSING_METADATA));return r.id3Track=void 0,r.media=void 0,r}return nt(e,t),e.prototype.destroy=function(){le.prototype.destroy.call(this)},e.prototype.onMediaAttached=function(t){this.media=t.media,this.media},e.prototype.onMediaDetaching=function(){et(this.id3Track),this.id3Track=void 0,this.media=void 0},e.prototype.getID3Track=function(t){for(var e=0;e<t.length;e++){var i=t[e];if("metadata"===i.kind&&"id3"===i.label)return tt(i,this.media),i}return this.media.addTextTrack("metadata","id3")},e.prototype.onFragParsingMetadata=function(t){var e=t.frag,i=t.samples;this.id3Track||(this.id3Track=this.getID3Track(this.media.textTracks),this.id3Track.mode="hidden");for(var r=window.WebKitDataCue||window.VTTCue||window.TextTrackCue,n=0;n<i.length;n++){var a=Ai.a.getID3Frames(i[n].data);if(a){var o=i[n].pts,s=n<i.length-1?i[n+1].pts:e.endPTS;o===s&&(s+=1e-4);for(var l=0;l<a.length;l++){var u=a[l];if(!Ai.a.isTimeStampFrame(u)){var c=new r(o,s,"");c.value=u,this.id3Track.addCue(c)}}}}},e}(le),_i=bi,Ei=function(){function t(e){ot(this,t),this.alpha_=e?Math.exp(Math.log(.5)/e):0,this.estimate_=0,this.totalWeight_=0}return t.prototype.sample=function(t,e){var i=Math.pow(this.alpha_,t);this.estimate_=e*(1-i)+i*this.estimate_,this.totalWeight_+=t},t.prototype.getTotalWeight=function(){return this.totalWeight_},t.prototype.getEstimate=function(){if(this.alpha_){var t=1-Math.pow(this.alpha_,this.totalWeight_);return this.estimate_/t}return this.estimate_},t}(),Ti=Ei,Si=function(){function t(e,i,r,n){st(this,t),this.hls=e,this.defaultEstimate_=n,this.minWeight_=.001,this.minDelayMs_=50,this.slow_=new Ti(i),this.fast_=new Ti(r)}return t.prototype.sample=function(t,e){t=Math.max(t,this.minDelayMs_);var i=8e3*e/t,r=t/1e3;this.fast_.sample(r,i),this.slow_.sample(r,i)},t.prototype.canEstimate=function(){var t=this.fast_;return t&&t.getTotalWeight()>=this.minWeight_},t.prototype.getEstimate=function(){return this.canEstimate()?Math.min(this.fast_.getEstimate(),this.slow_.getEstimate()):this.defaultEstimate_},t.prototype.destroy=function(){},t}(),Li=Si,Ri=function(){function t(t,e){for(var i=0;i<e.length;i++){var r=e[i];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(t,r.key,r)}}return function(e,i,r){return i&&t(e.prototype,i),r&&t(e,r),e}}(),ki=window,wi=ki.performance,Ci=function(t){function e(i){lt(this,e);var r=ut(this,t.call(this,i,re.a.FRAG_LOADING,re.a.FRAG_LOADED,re.a.FRAG_BUFFERED,re.a.ERROR));return r.lastLoadedFragLevel=0,r._nextAutoLevel=-1,r.hls=i,r.timer=null,r._bwEstimator=null,r.onCheck=r._abandonRulesCheck.bind(r),r}return ct(e,t),e.prototype.destroy=function(){this.clearTimer(),le.prototype.destroy.call(this)},e.prototype.onFragLoading=function(t){var e=t.frag;if("main"===e.type&&(this.timer||(this.fragCurrent=e,this.timer=setInterval(this.onCheck,100)),!this._bwEstimator)){var i=this.hls,r=i.config,n=e.level,a=i.levels[n].details.live,o=void 0,s=void 0;a?(o=r.abrEwmaFastLive,s=r.abrEwmaSlowLive):(o=r.abrEwmaFastVoD,s=r.abrEwmaSlowVoD),this._bwEstimator=new Li(i,s,o,r.abrEwmaDefaultEstimate)}},e.prototype._abandonRulesCheck=function(){var t=this.hls,e=t.media,i=this.fragCurrent;if(i){var r=i.loader,n=t.minAutoLevel;if(!r||r.stats&&r.stats.aborted)return ne.b.warn("frag loader destroy or aborted, disarm abandonRules"),this.clearTimer(),void(this._nextAutoLevel=-1);var a=r.stats;if(e&&a&&(!e.paused&&0!==e.playbackRate||!e.readyState)&&i.autoLevel&&i.level){var o=wi.now()-a.trequest,s=Math.abs(e.playbackRate);if(o>500*i.duration/s){var l=t.levels,u=Math.max(1,a.bw?a.bw/8:1e3*a.loaded/o),c=l[i.level],d=c.realBitrate?Math.max(c.realBitrate,c.bitrate):c.bitrate,h=a.total?a.total:Math.max(a.loaded,Math.round(i.duration*d/8)),f=e.currentTime,p=(h-a.loaded)/u,g=($e.bufferInfo(e,f,t.config.maxBufferHole).end-f)/s;if(g<2*i.duration/s&&p>g){var y=void 0,v=void 0;for(v=i.level-1;v>n;v--){var m=l[v].realBitrate?Math.max(l[v].realBitrate,l[v].bitrate):l[v].bitrate;if((y=i.duration*m/(6.4*u))<g)break}y<p&&(ne.b.warn("loading too slow, abort fragment loading and switch to level "+v+":fragLoadedDelay["+v+"]<fragLoadedDelay["+(i.level-1)+"];bufferStarvationDelay:"+y.toFixed(1)+"<"+p.toFixed(1)+":"+g.toFixed(1)),t.nextLoadLevel=v,this._bwEstimator.sample(o,a.loaded),r.abort(),this.clearTimer(),t.trigger(re.a.FRAG_LOAD_EMERGENCY_ABORTED,{frag:i,stats:a}))}}}}},e.prototype.onFragLoaded=function(t){var e=t.frag;if("main"===e.type&&Object(ie.a)(e.sn)){if(this.clearTimer(),this.lastLoadedFragLevel=e.level,this._nextAutoLevel=-1,this.hls.config.abrMaxWithRealBitrate){var i=this.hls.levels[e.level],r=(i.loaded?i.loaded.bytes:0)+t.stats.loaded,n=(i.loaded?i.loaded.duration:0)+t.frag.duration;i.loaded={bytes:r,duration:n},i.realBitrate=Math.round(8*r/n)}if(t.frag.bitrateTest){var a=t.stats;a.tparsed=a.tbuffered=a.tload,this.onFragBuffered(t)}}},e.prototype.onFragBuffered=function(t){var e=t.stats,i=t.frag;if(!0!==e.aborted&&"main"===i.type&&Object(ie.a)(i.sn)&&(!i.bitrateTest||e.tload===e.tbuffered)){var r=e.tparsed-e.trequest;ne.b.log("latency/loading/parsing/append/kbps:"+Math.round(e.tfirst-e.trequest)+"/"+Math.round(e.tload-e.tfirst)+"/"+Math.round(e.tparsed-e.tload)+"/"+Math.round(e.tbuffered-e.tparsed)+"/"+Math.round(8*e.loaded/(e.tbuffered-e.trequest))),this._bwEstimator.sample(r,e.loaded),e.bwEstimate=this._bwEstimator.getEstimate(),i.bitrateTest?this.bitrateTestDelay=r/1e3:this.bitrateTestDelay=0}},e.prototype.onError=function(t){switch(t.details){case ee.a.FRAG_LOAD_ERROR:case ee.a.FRAG_LOAD_TIMEOUT:this.clearTimer()}},e.prototype.clearTimer=function(){clearInterval(this.timer),this.timer=null},e.prototype._findBestLevel=function(t,e,i,r,n,a,o,s,l){for(var u=n;u>=r;u--){var c=l[u];if(c){var d=c.details,h=d?d.totalduration/d.fragments.length:e,f=!!d&&d.live,p=void 0;p=u<=t?o*i:s*i;var g=l[u].realBitrate?Math.max(l[u].realBitrate,l[u].bitrate):l[u].bitrate,y=g*h/p;if(ne.b.trace("level/adjustedbw/bitrate/avgDuration/maxFetchDuration/fetchDuration: "+u+"/"+Math.round(p)+"/"+g+"/"+h+"/"+a+"/"+y),p>g&&(!y||f&&!this.bitrateTestDelay||y<a))return u}}return-1},Ri(e,[{key:"nextAutoLevel",get:function(){var t=this._nextAutoLevel,e=this._bwEstimator;if(!(-1===t||e&&e.canEstimate()))return t;var i=this._nextABRAutoLevel;return-1!==t&&(i=Math.min(t,i)),i},set:function(t){this._nextAutoLevel=t}},{key:"_nextABRAutoLevel",get:function(){var t=this.hls,e=t.maxAutoLevel,i=t.levels,r=t.config,n=t.minAutoLevel,a=t.media,o=this.lastLoadedFragLevel,s=this.fragCurrent?this.fragCurrent.duration:0,l=a?a.currentTime:0,u=a&&0!==a.playbackRate?Math.abs(a.playbackRate):1,c=this._bwEstimator?this._bwEstimator.getEstimate():r.abrEwmaDefaultEstimate,d=($e.bufferInfo(a,l,r.maxBufferHole).end-l)/u,h=this._findBestLevel(o,s,c,n,e,d,r.abrBandWidthFactor,r.abrBandWidthUpFactor,i);if(h>=0)return h;ne.b.trace("rebuffering expected to happen, lets try to find a quality level minimizing the rebuffering");var f=s?Math.min(s,r.maxStarvationDelay):r.maxStarvationDelay,p=r.abrBandWidthFactor,g=r.abrBandWidthUpFactor;if(0===d){var y=this.bitrateTestDelay;if(y){f=(s?Math.min(s,r.maxLoadingDelay):r.maxLoadingDelay)-y,ne.b.trace("bitrate test took "+Math.round(1e3*y)+"ms, set first fragment max fetchDuration to "+Math.round(1e3*f)+" ms"),p=g=1}}return h=this._findBestLevel(o,s,c,n,e,d+f,p,g,i),Math.max(h,0)}}]),e}(le),Ii=Ci,Oi=R(),Di=function(t){function e(i){dt(this,e);var r=ht(this,t.call(this,i,re.a.MEDIA_ATTACHING,re.a.MEDIA_DETACHING,re.a.MANIFEST_PARSED,re.a.BUFFER_RESET,re.a.BUFFER_APPENDING,re.a.BUFFER_CODECS,re.a.BUFFER_EOS,re.a.BUFFER_FLUSHING,re.a.LEVEL_PTS_UPDATED,re.a.LEVEL_UPDATED));return r._msDuration=null,r._levelDuration=null,r._live=null,r._objectUrl=null,r.onsbue=r.onSBUpdateEnd.bind(r),r.onsbe=r.onSBUpdateError.bind(r),r.pendingTracks={},r.tracks={},r}return ft(e,t),e.prototype.destroy=function(){le.prototype.destroy.call(this)},e.prototype.onLevelPtsUpdated=function(t){var e=t.type,i=this.tracks.audio;if("audio"===e&&i&&"audio/mpeg"===i.container){var r=this.sourceBuffer.audio;if(Math.abs(r.timestampOffset-t.start)>.1){var n=r.updating;try{r.abort()}catch(t){n=!0,ne.b.warn("can not abort audio buffer: "+t)}n?this.audioTimestampOffset=t.start:(ne.b.warn("change mpeg audio timestamp offset from "+r.timestampOffset+" to "+t.start),r.timestampOffset=t.start)}}},e.prototype.onManifestParsed=function(t){var e=t.audio,i=t.video||t.levels.length&&t.altAudio,r=0;t.altAudio&&(e||i)&&(r=(e?1:0)+(i?1:0),ne.b.log(r+" sourceBuffer(s) expected")),this.sourceBufferNb=r},e.prototype.onMediaAttaching=function(t){var e=this.media=t.media;if(e){var i=this.mediaSource=new Oi;this.onmso=this.onMediaSourceOpen.bind(this),this.onmse=this.onMediaSourceEnded.bind(this),this.onmsc=this.onMediaSourceClose.bind(this),i.addEventListener("sourceopen",this.onmso),i.addEventListener("sourceended",this.onmse),i.addEventListener("sourceclose",this.onmsc),e.src=window.URL.createObjectURL(i),this._objectUrl=e.src}},e.prototype.onMediaDetaching=function(){ne.b.log("media source detaching");var t=this.mediaSource;if(t){if("open"===t.readyState)try{t.endOfStream()}catch(t){ne.b.warn("onMediaDetaching:"+t.message+" while calling endOfStream")}t.removeEventListener("sourceopen",this.onmso),t.removeEventListener("sourceended",this.onmse),t.removeEventListener("sourceclose",this.onmsc),this.media&&(window.URL.revokeObjectURL(this._objectUrl),this.media.src===this._objectUrl?(this.media.removeAttribute("src"),this.media.load()):ne.b.warn("media.src was changed by a third party - skip cleanup")),this.mediaSource=null,this.media=null,this._objectUrl=null,this.pendingTracks={},this.tracks={},this.sourceBuffer={},this.flushRange=[],this.segments=[],this.appended=0}this.onmso=this.onmse=this.onmsc=null,this.hls.trigger(re.a.MEDIA_DETACHED)},e.prototype.onMediaSourceOpen=function(){ne.b.log("media source opened"),this.hls.trigger(re.a.MEDIA_ATTACHED,{media:this.media});var t=this.mediaSource;t&&t.removeEventListener("sourceopen",this.onmso),this.checkPendingTracks()},e.prototype.checkPendingTracks=function(){var t=this.pendingTracks,e=Object.keys(t).length;e&&(this.sourceBufferNb<=e||0===this.sourceBufferNb)&&(this.createSourceBuffers(t),this.pendingTracks={},this.doAppending())},e.prototype.onMediaSourceClose=function(){ne.b.log("media source closed")},e.prototype.onMediaSourceEnded=function(){ne.b.log("media source ended")},e.prototype.onSBUpdateEnd=function(){if(this.audioTimestampOffset){var t=this.sourceBuffer.audio;ne.b.warn("change mpeg audio timestamp offset from "+t.timestampOffset+" to "+this.audioTimestampOffset),t.timestampOffset=this.audioTimestampOffset,delete this.audioTimestampOffset}this._needsFlush&&this.doFlush(),this._needsEos&&this.checkEos(),this.appending=!1;var e=this.parent,i=this.segments.reduce(function(t,i){return i.parent===e?t+1:t},0),r={},n=this.sourceBuffer;for(var a in n)r[a]=n[a].buffered;this.hls.trigger(re.a.BUFFER_APPENDED,{parent:e,pending:i,timeRanges:r}),this._needsFlush||this.doAppending(),this.updateMediaElementDuration()},e.prototype.onSBUpdateError=function(t){ne.b.error("sourceBuffer error:",t),this.hls.trigger(re.a.ERROR,{type:ee.b.MEDIA_ERROR,details:ee.a.BUFFER_APPENDING_ERROR,fatal:!1})},e.prototype.onBufferReset=function(){var t=this.sourceBuffer;for(var e in t){var i=t[e];try{this.mediaSource.removeSourceBuffer(i),i.removeEventListener("updateend",this.onsbue),i.removeEventListener("error",this.onsbe)}catch(t){}}this.sourceBuffer={},this.flushRange=[],this.segments=[],this.appended=0},e.prototype.onBufferCodecs=function(t){if(0===Object.keys(this.sourceBuffer).length){for(var e in t)this.pendingTracks[e]=t[e];var i=this.mediaSource;i&&"open"===i.readyState&&this.checkPendingTracks()}},e.prototype.createSourceBuffers=function(t){var e=this.sourceBuffer,i=this.mediaSource;for(var r in t)if(!e[r]){var n=t[r],a=n.levelCodec||n.codec,o=n.container+";codecs="+a;ne.b.log("creating sourceBuffer("+o+")");try{var s=e[r]=i.addSourceBuffer(o);s.addEventListener("updateend",this.onsbue),s.addEventListener("error",this.onsbe),this.tracks[r]={codec:a,container:n.container},n.buffer=s}catch(t){ne.b.error("error while trying to add sourceBuffer:"+t.message),this.hls.trigger(re.a.ERROR,{type:ee.b.MEDIA_ERROR,details:ee.a.BUFFER_ADD_CODEC_ERROR,fatal:!1,err:t,mimeType:o})}}this.hls.trigger(re.a.BUFFER_CREATED,{tracks:t})},e.prototype.onBufferAppending=function(t){this._needsFlush||(this.segments?this.segments.push(t):this.segments=[t],this.doAppending())},e.prototype.onBufferAppendFail=function(t){ne.b.error("sourceBuffer error:",t.event),this.hls.trigger(re.a.ERROR,{type:ee.b.MEDIA_ERROR,details:ee.a.BUFFER_APPENDING_ERROR,fatal:!1})},e.prototype.onBufferEos=function(t){var e=this.sourceBuffer,i=t.type;for(var r in e)i&&r!==i||e[r].ended||(e[r].ended=!0,ne.b.log(r+" sourceBuffer now EOS"));this.checkEos()},e.prototype.checkEos=function(){var t=this.sourceBuffer,e=this.mediaSource;if(!e||"open"!==e.readyState)return void(this._needsEos=!1);for(var i in t){var r=t[i];if(!r.ended)return;if(r.updating)return void(this._needsEos=!0)}ne.b.log("all media data available, signal endOfStream() to MediaSource and stop loading fragment");try{e.endOfStream()}catch(t){ne.b.warn("exception while calling mediaSource.endOfStream()")}this._needsEos=!1},e.prototype.onBufferFlushing=function(t){this.flushRange.push({start:t.startOffset,end:t.endOffset,type:t.type}),this.flushBufferCounter=0,this.doFlush()},e.prototype.onLevelUpdated=function(t){var e=t.details;e.fragments.length>0&&(this._levelDuration=e.totalduration+e.fragments[0].start,this._live=e.live,this.updateMediaElementDuration())},e.prototype.updateMediaElementDuration=function(){var t=this.hls.config,e=void 0;if(null!==this._levelDuration&&this.media&&this.mediaSource&&this.sourceBuffer&&0!==this.media.readyState&&"open"===this.mediaSource.readyState){for(var i in this.sourceBuffer)if(!0===this.sourceBuffer[i].updating)return;e=this.media.duration,null===this._msDuration&&(this._msDuration=this.mediaSource.duration),!0===this._live&&!0===t.liveDurationInfinity?(ne.b.log("Media Source duration is set to Infinity"),this._msDuration=this.mediaSource.duration=1/0):(this._levelDuration>this._msDuration&&this._levelDuration>e||!Object(ie.a)(e))&&(ne.b.log("Updating Media Source duration to "+this._levelDuration.toFixed(3)),this._msDuration=this.mediaSource.duration=this._levelDuration)}},e.prototype.doFlush=function(){for(;this.flushRange.length;){var t=this.flushRange[0];if(!this.flushBuffer(t.start,t.end,t.type))return void(this._needsFlush=!0);this.flushRange.shift(),this.flushBufferCounter=0}if(0===this.flushRange.length){this._needsFlush=!1;var e=0,i=this.sourceBuffer;try{for(var r in i)e+=i[r].buffered.length}catch(t){ne.b.error("error while accessing sourceBuffer.buffered")}this.appended=e,this.hls.trigger(re.a.BUFFER_FLUSHED)}},e.prototype.doAppending=function(){var t=this.hls,e=this.sourceBuffer,i=this.segments;if(Object.keys(e).length){if(this.media.error)return this.segments=[],void ne.b.error("trying to append although a media error occured, flush segment and abort");if(this.appending)return;if(i&&i.length){var r=i.shift();try{var n=r.type,a=e[n];a?a.updating?i.unshift(r):(a.ended=!1,this.parent=r.parent,a.appendBuffer(r.data),this.appendError=0,this.appended++,this.appending=!0):this.onSBUpdateEnd()}catch(e){ne.b.error("error while trying to append buffer:"+e.message),i.unshift(r);var o={type:ee.b.MEDIA_ERROR,parent:r.parent};22!==e.code?(this.appendError?this.appendError++:this.appendError=1,o.details=ee.a.BUFFER_APPEND_ERROR,this.appendError>t.config.appendErrorMaxRetry?(ne.b.log("fail "+t.config.appendErrorMaxRetry+" times to append segment in sourceBuffer"),i=[],o.fatal=!0,t.trigger(re.a.ERROR,o)):(o.fatal=!1,t.trigger(re.a.ERROR,o))):(this.segments=[],o.details=ee.a.BUFFER_FULL_ERROR,o.fatal=!1,t.trigger(re.a.ERROR,o))}}}},e.prototype.flushBuffer=function(t,e,i){var r=void 0,n=void 0,a=void 0,o=void 0,s=void 0,l=void 0,u=this.sourceBuffer;if(Object.keys(u).length){if(ne.b.log("flushBuffer,pos/start/end: "+this.media.currentTime.toFixed(3)+"/"+t+"/"+e),this.flushBufferCounter<this.appended){for(var c in u)if(!i||c===i){if(r=u[c],r.ended=!1,r.updating)return ne.b.warn("cannot flush, sb updating in progress"),!1;try{for(n=0;n<r.buffered.length;n++)if(a=r.buffered.start(n),o=r.buffered.end(n),-1!==navigator.userAgent.toLowerCase().indexOf("firefox")&&e===Number.POSITIVE_INFINITY?(s=t,l=e):(s=Math.max(a,t),l=Math.min(o,e)),Math.min(l,o)-s>.5)return this.flushBufferCounter++,ne.b.log("flush "+c+" ["+s+","+l+"], of ["+a+","+o+"], pos:"+this.media.currentTime),r.remove(s,l),!1}catch(t){ne.b.warn("exception while accessing sourcebuffer, it might have been removed from MediaSource")}}}else ne.b.warn("abort flushing too many retries");ne.b.log("buffer flushed")}return!0},e}(le),Pi=Di,xi=function(){function t(t,e){for(var i=0;i<e.length;i++){var r=e[i];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(t,r.key,r)}}return function(e,i,r){return i&&t(e.prototype,i),r&&t(e,r),e}}(),Mi=function(t){function e(i){pt(this,e);var r=gt(this,t.call(this,i,re.a.FPS_DROP_LEVEL_CAPPING,re.a.MEDIA_ATTACHING,re.a.MANIFEST_PARSED,re.a.BUFFER_CODECS,re.a.MEDIA_DETACHING));return r.autoLevelCapping=Number.POSITIVE_INFINITY,r.firstLevel=null,r.levels=[],r.media=null,r.restrictedLevels=[],r.timer=null,r}return yt(e,t),e.prototype.destroy=function(){this.hls.config.capLevelToPlayerSize&&(this.media=null,this._stopCapping())},e.prototype.onFpsDropLevelCapping=function(t){e.isLevelAllowed(t.droppedLevel,this.restrictedLevels)&&this.restrictedLevels.push(t.droppedLevel)},e.prototype.onMediaAttaching=function(t){this.media=t.media instanceof window.HTMLVideoElement?t.media:null},e.prototype.onManifestParsed=function(t){var e=this.hls;this.restrictedLevels=[],this.levels=t.levels,this.firstLevel=t.firstLevel,e.config.capLevelToPlayerSize&&(t.video||t.levels.length&&t.altAudio)&&this._startCapping()},e.prototype.onBufferCodecs=function(t){this.hls.config.capLevelToPlayerSize&&t.video&&this._startCapping()},e.prototype.onLevelsUpdated=function(t){this.levels=t.levels},e.prototype.onMediaDetaching=function(){this._stopCapping()},e.prototype.detectPlayerSize=function(){if(this.media){var t=this.levels?this.levels.length:0;if(t){var e=this.hls;e.autoLevelCapping=this.getMaxLevel(t-1),e.autoLevelCapping>this.autoLevelCapping&&e.streamController.nextLevelSwitch(),this.autoLevelCapping=e.autoLevelCapping}}},e.prototype.getMaxLevel=function(t){var i=this;if(!this.levels)return-1;var r=this.levels.filter(function(r,n){return e.isLevelAllowed(n,i.restrictedLevels)&&n<=t});return e.getMaxLevelByMediaSize(r,this.mediaWidth,this.mediaHeight)},e.prototype._startCapping=function(){this.timer||(this.autoLevelCapping=Number.POSITIVE_INFINITY,this.hls.firstLevel=this.getMaxLevel(this.firstLevel),clearInterval(this.timer),this.timer=setInterval(this.detectPlayerSize.bind(this),1e3),this.detectPlayerSize())},e.prototype._stopCapping=function(){this.restrictedLevels=[],this.firstLevel=null,this.autoLevelCapping=Number.POSITIVE_INFINITY,this.timer&&(this.timer=clearInterval(this.timer),this.timer=null)},e.isLevelAllowed=function(t){return-1===(arguments.length>1&&void 0!==arguments[1]?arguments[1]:[]).indexOf(t)},e.getMaxLevelByMediaSize=function(t,e,i){if(!t||t&&!t.length)return-1;for(var r=t.length-1,n=0;n<t.length;n+=1){var a=t[n];if((a.width>=e||a.height>=i)&&function(t,e){return!e||(t.width!==e.width||t.height!==e.height)}(a,t[n+1])){r=n;break}}return r},xi(e,[{key:"mediaWidth",get:function(){var t=void 0,i=this.media;return i&&(t=i.width||i.clientWidth||i.offsetWidth,t*=e.contentScaleFactor),t}},{key:"mediaHeight",get:function(){var t=void 0,i=this.media;return i&&(t=i.height||i.clientHeight||i.offsetHeight,t*=e.contentScaleFactor),t}}],[{key:"contentScaleFactor",get:function(){var t=1;try{t=window.devicePixelRatio}catch(t){}return t}}]),e}(le),Ni=Mi,Fi=window,Bi=Fi.performance,Ui=function(t){function e(i){return vt(this,e),mt(this,t.call(this,i,re.a.MEDIA_ATTACHING))}return At(e,t),e.prototype.destroy=function(){this.timer&&clearInterval(this.timer),this.isVideoPlaybackQualityAvailable=!1},e.prototype.onMediaAttaching=function(t){var e=this.hls.config;if(e.capLevelOnFPSDrop){"function"==typeof(this.video=t.media instanceof window.HTMLVideoElement?t.media:null).getVideoPlaybackQuality&&(this.isVideoPlaybackQualityAvailable=!0),clearInterval(this.timer),this.timer=setInterval(this.checkFPSInterval.bind(this),e.fpsDroppedMonitoringPeriod)}},e.prototype.checkFPS=function(t,e,i){var r=Bi.now();if(e){if(this.lastTime){var n=r-this.lastTime,a=i-this.lastDroppedFrames,o=e-this.lastDecodedFrames,s=1e3*a/n,l=this.hls;if(l.trigger(re.a.FPS_DROP,{currentDropped:a,currentDecoded:o,totalDroppedFrames:i}),s>0&&a>l.config.fpsDroppedMonitoringThreshold*o){var u=l.currentLevel;ne.b.warn("drop FPS ratio greater than max allowed value for currentLevel: "+u),u>0&&(-1===l.autoLevelCapping||l.autoLevelCapping>=u)&&(u-=1,l.trigger(re.a.FPS_DROP_LEVEL_CAPPING,{level:u,droppedLevel:l.currentLevel}),l.autoLevelCapping=u,l.streamController.nextLevelSwitch())}}this.lastTime=r,this.lastDroppedFrames=i,this.lastDecodedFrames=e}},e.prototype.checkFPSInterval=function(){var t=this.video;if(t)if(this.isVideoPlaybackQualityAvailable){var e=t.getVideoPlaybackQuality();this.checkFPS(t,e.totalVideoFrames,e.droppedVideoFrames)}else this.checkFPS(t,t.webkitDecodedFrameCount,t.webkitDroppedFrameCount)},e}(le),Gi=Ui,Ki=window,ji=Ki.performance,Vi=Ki.XMLHttpRequest,Yi=function(){function t(e){bt(this,t),e&&e.xhrSetup&&(this.xhrSetup=e.xhrSetup)}return t.prototype.destroy=function(){this.abort(),this.loader=null},t.prototype.abort=function(){var t=this.loader;t&&4!==t.readyState&&(this.stats.aborted=!0,t.abort()),window.clearTimeout(this.requestTimeout),this.requestTimeout=null,window.clearTimeout(this.retryTimeout),this.retryTimeout=null},t.prototype.load=function(t,e,i){this.context=t,this.config=e,this.callbacks=i,this.stats={trequest:ji.now(),retry:0},this.retryDelay=e.retryDelay,this.loadInternal()},t.prototype.loadInternal=function(){var t=void 0,e=this.context;t=this.loader=new Vi;var i=this.stats;i.tfirst=0,i.loaded=0;var r=this.xhrSetup;try{if(r)try{r(t,e.url)}catch(i){t.open("GET",e.url,!0),r(t,e.url)}t.readyState||t.open("GET",e.url,!0)}catch(i){return void this.callbacks.onError({code:t.status,text:i.message},e,t)}e.rangeEnd&&t.setRequestHeader("Range","bytes="+e.rangeStart+"-"+(e.rangeEnd-1)),t.onreadystatechange=this.readystatechange.bind(this),t.onprogress=this.loadprogress.bind(this),t.responseType=e.responseType,this.requestTimeout=window.setTimeout(this.loadtimeout.bind(this),this.config.timeout),t.send()},t.prototype.readystatechange=function(t){var e=t.currentTarget,i=e.readyState,r=this.stats,n=this.context,a=this.config;if(!r.aborted&&i>=2)if(window.clearTimeout(this.requestTimeout),0===r.tfirst&&(r.tfirst=Math.max(ji.now(),r.trequest)),4===i){var o=e.status;if(o>=200&&o<300){r.tload=Math.max(r.tfirst,ji.now());var s=void 0,l=void 0;"arraybuffer"===n.responseType?(s=e.response,l=s.byteLength):(s=e.responseText,l=s.length),r.loaded=r.total=l;var u={url:e.responseURL,data:s};this.callbacks.onSuccess(u,r,n,e)}else r.retry>=a.maxRetry||o>=400&&o<499?(ne.b.error(o+" while loading "+n.url),this.callbacks.onError({code:o,text:e.statusText},n,e)):(ne.b.warn(o+" while loading "+n.url+", retrying in "+this.retryDelay+"..."),this.destroy(),this.retryTimeout=window.setTimeout(this.loadInternal.bind(this),this.retryDelay),this.retryDelay=Math.min(2*this.retryDelay,a.maxRetryDelay),r.retry++)}else this.requestTimeout=window.setTimeout(this.loadtimeout.bind(this),a.timeout)},t.prototype.loadtimeout=function(){ne.b.warn("timeout while loading "+this.context.url),this.callbacks.onTimeout(this.stats,this.context,null)},t.prototype.loadprogress=function(t){var e=t.currentTarget,i=this.stats;i.loaded=t.loaded,t.lengthComputable&&(i.total=t.total);var r=this.callbacks.onProgress;r&&r(i,this.context,null,e)},t}(),Hi=Yi,$i=function(){function t(t,e){for(var i=0;i<e.length;i++){var r=e[i];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(t,r.key,r)}}return function(e,i,r){return i&&t(e.prototype,i),r&&t(e,r),e}}(),Wi=function(t){function e(i){_t(this,e);var r=Et(this,t.call(this,i,re.a.MANIFEST_LOADING,re.a.MANIFEST_PARSED,re.a.AUDIO_TRACK_LOADED,re.a.AUDIO_TRACK_SWITCHED,re.a.LEVEL_LOADED,re.a.ERROR));return r._trackId=-1,r._selectDefaultTrack=!0,r.tracks=[],r.trackIdBlacklist=Object.create(null),r.audioGroupId=null,r}return Tt(e,t),e.prototype.onManifestLoading=function(){this.tracks=[],this._trackId=-1,this._selectDefaultTrack=!0},e.prototype.onManifestParsed=function(t){var e=this.tracks=t.audioTracks||[];this.hls.trigger(re.a.AUDIO_TRACKS_UPDATED,{audioTracks:e})},e.prototype.onAudioTrackLoaded=function(t){if(t.id>=this.tracks.length)return void ne.b.warn("Invalid audio track id:",t.id);if(ne.b.log("audioTrack "+t.id+" loaded"),this.tracks[t.id].details=t.details,t.details.live&&!this.hasInterval()){var e=1e3*t.details.targetduration;this.setInterval(e)}!t.details.live&&this.hasInterval()&&this.clearInterval()},e.prototype.onAudioTrackSwitched=function(t){var e=this.tracks[t.id].groupId;e&&this.audioGroupId!==e&&(this.audioGroupId=e)},e.prototype.onLevelLoaded=function(t){var e=this.hls.levels[t.level];if(e.audioGroupIds){var i=e.audioGroupIds[e.urlId];this.audioGroupId!==i&&(this.audioGroupId=i,this._selectInitialAudioTrack())}},e.prototype.onError=function(t){t.type===ee.b.NETWORK_ERROR&&(t.fatal&&this.clearInterval(),t.details===ee.a.AUDIO_TRACK_LOAD_ERROR&&(ne.b.warn("Network failure on audio-track id:",t.context.id),this._handleLoadError()))},e.prototype._setAudioTrack=function(t){if(this._trackId===t&&this.tracks[this._trackId].details)return void ne.b.debug("Same id as current audio-track passed, and track details available -> no-op");if(t<0||t>=this.tracks.length)return void ne.b.warn("Invalid id passed to audio-track controller");var e=this.tracks[t];ne.b.log("Now switching to audio-track index "+t),this.clearInterval(),this._trackId=t;var i=e.url,r=e.type,n=e.id;this.hls.trigger(re.a.AUDIO_TRACK_SWITCHING,{id:n,type:r,url:i}),this._loadTrackDetailsIfNeeded(e)},e.prototype.doTick=function(){this._updateTrack(this._trackId)},e.prototype._selectInitialAudioTrack=function(){var t=this,e=this.tracks;if(e.length){var i=this.tracks[this._trackId],r=null;if(i&&(r=i.name),this._selectDefaultTrack){var n=e.filter(function(t){return t.default});n.length?e=n:ne.b.warn("No default audio tracks defined")}var a=!1,o=function(){e.forEach(function(e){a||t.audioGroupId&&e.groupId!==t.audioGroupId||r&&r!==e.name||(t._setAudioTrack(e.id),a=!0)})};o(),a||(r=null,o()),a||(ne.b.error("No track found for running audio group-ID: "+this.audioGroupId),this.hls.trigger(re.a.ERROR,{type:ee.b.MEDIA_ERROR,details:ee.a.AUDIO_TRACK_LOAD_ERROR,fatal:!0}))}},e.prototype._needsTrackLoading=function(t){var e=t.details;return!e||(!!e.live||void 0)},e.prototype._loadTrackDetailsIfNeeded=function(t){if(this._needsTrackLoading(t)){var e=t.url,i=t.id;ne.b.log("loading audio-track playlist for id: "+i),this.hls.trigger(re.a.AUDIO_TRACK_LOADING,{url:e,id:i})}},e.prototype._updateTrack=function(t){if(!(t<0||t>=this.tracks.length)){this.clearInterval(),this._trackId=t,ne.b.log("trying to update audio-track "+t);var e=this.tracks[t];this._loadTrackDetailsIfNeeded(e)}},e.prototype._handleLoadError=function(){this.trackIdBlacklist[this._trackId]=!0;var t=this._trackId,e=this.tracks[t],i=e.name,r=e.language,n=e.groupId;ne.b.warn("Loading failed on audio track id: "+t+", group-id: "+n+', name/language: "'+i+'" / "'+r+'"');for(var a=t,o=0;o<this.tracks.length;o++)if(!this.trackIdBlacklist[o]){var s=this.tracks[o];if(s.name===i){a=o;break}}if(a===t)return void ne.b.warn('No fallback audio-track found for name/language: "'+i+'" / "'+r+'"');ne.b.log("Attempting audio-track fallback id:",a,"group-id:",this.tracks[a].groupId),this._setAudioTrack(a)},$i(e,[{key:"audioTracks",get:function(){return this.tracks}},{key:"audioTrack",get:function(){return this._trackId},set:function(t){this._setAudioTrack(t),this._selectDefaultTrack=!1}}]),e}(oi),zi=Wi,qi=function(){function t(t,e){for(var i=0;i<e.length;i++){var r=e[i];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(t,r.key,r)}}return function(e,i,r){return i&&t(e.prototype,i),r&&t(e,r),e}}(),Xi=window,Zi=Xi.performance,Qi={STOPPED:"STOPPED",STARTING:"STARTING",IDLE:"IDLE",PAUSED:"PAUSED",KEY_LOADING:"KEY_LOADING",FRAG_LOADING:"FRAG_LOADING",FRAG_LOADING_WAITING_RETRY:"FRAG_LOADING_WAITING_RETRY",WAITING_TRACK:"WAITING_TRACK",PARSING:"PARSING",PARSED:"PARSED",BUFFER_FLUSHING:"BUFFER_FLUSHING",ENDED:"ENDED",ERROR:"ERROR",WAITING_INIT_PTS:"WAITING_INIT_PTS"},Ji=function(t){function e(i,r){St(this,e);var n=Lt(this,t.call(this,i,re.a.MEDIA_ATTACHED,re.a.MEDIA_DETACHING,re.a.AUDIO_TRACKS_UPDATED,re.a.AUDIO_TRACK_SWITCHING,re.a.AUDIO_TRACK_LOADED,re.a.KEY_LOADED,re.a.FRAG_LOADED,re.a.FRAG_PARSING_INIT_SEGMENT,re.a.FRAG_PARSING_DATA,re.a.FRAG_PARSED,re.a.ERROR,re.a.BUFFER_RESET,re.a.BUFFER_CREATED,re.a.BUFFER_APPENDED,re.a.BUFFER_FLUSHED,re.a.INIT_PTS_FOUND));return n.fragmentTracker=r,n.config=i.config,n.audioCodecSwap=!1,n._state=Qi.STOPPED,n.initPTS=[],n.waitingFragment=null,n.videoTrackCC=null,n}return Rt(e,t),e.prototype.onHandlerDestroying=function(){this.stopLoad(),t.prototype.onHandlerDestroying.call(this)},e.prototype.onHandlerDestroyed=function(){this.state=Qi.STOPPED,this.fragmentTracker=null,t.prototype.onHandlerDestroyed.call(this)},e.prototype.onInitPtsFound=function(t){var e=t.id,i=t.frag.cc,r=t.initPTS;"main"===e&&(this.initPTS[i]=r,this.videoTrackCC=i,ne.b.log("InitPTS for cc: "+i+" found from video track: "+r),this.state===Qi.WAITING_INIT_PTS&&this.tick())},e.prototype.startLoad=function(t){if(this.tracks){var e=this.lastCurrentTime;this.stopLoad(),this.setInterval(100),this.fragLoadError=0,e>0&&-1===t?(ne.b.log("audio:override startPosition with lastCurrentTime @"+e.toFixed(3)),this.state=Qi.IDLE):(this.lastCurrentTime=this.startPosition?this.startPosition:t,this.state=Qi.STARTING),this.nextLoadPosition=this.startPosition=this.lastCurrentTime,this.tick()}else this.startPosition=t,this.state=Qi.STOPPED},e.prototype.stopLoad=function(){var t=this.fragCurrent;t&&(t.loader&&t.loader.abort(),this.fragmentTracker.removeFragment(t),this.fragCurrent=null),this.fragPrevious=null,this.demuxer&&(this.demuxer.destroy(),this.demuxer=null),this.state=Qi.STOPPED},e.prototype.doTick=function(){var t=void 0,e=void 0,i=void 0,r=this.hls,n=r.config;switch(this.state){case Qi.ERROR:case Qi.PAUSED:case Qi.BUFFER_FLUSHING:break;case Qi.STARTING:this.state=Qi.WAITING_TRACK,this.loadedmetadata=!1;break;case Qi.IDLE:var a=this.tracks;if(!a)break;if(!this.media&&(this.startFragRequested||!n.startFragPrefetch))break;if(this.loadedmetadata)t=this.media.currentTime;else if(void 0===(t=this.nextLoadPosition))break;var o=this.mediaBuffer?this.mediaBuffer:this.media,s=this.videoBuffer?this.videoBuffer:this.media,l=$e.bufferInfo(o,t,n.maxBufferHole),u=$e.bufferInfo(s,t,n.maxBufferHole),c=l.len,d=l.end,h=this.fragPrevious,f=Math.min(n.maxBufferLength,n.maxMaxBufferLength),p=Math.max(f,u.len),g=this.audioSwitch,y=this.trackId;if((c<p||g)&&y<a.length){if(void 0===(i=a[y].details)){this.state=Qi.WAITING_TRACK;break}if(!g&&!i.live&&h&&h.sn===i.endSN&&!l.nextStart&&(!this.media.seeking||this.media.duration-d<h.duration/2)){this.hls.trigger(re.a.BUFFER_EOS,{type:"audio"}),this.state=Qi.ENDED;break}var v=i.fragments,m=v.length,A=v[0].start,b=v[m-1].start+v[m-1].duration,_=void 0;if(g)if(i.live&&!i.PTSKnown)ne.b.log("switching audiotrack, live stream, unknown PTS,load first fragment"),d=0;else if(d=t,i.PTSKnown&&t<A){if(!(l.end>A||l.nextStart))return;ne.b.log("alt audio track ahead of main track, seek to start of alt audio track"),this.media.currentTime=A+.05}if(i.initSegment&&!i.initSegment.data)_=i.initSegment;else if(d<=A){if(_=v[0],null!==this.videoTrackCC&&_.cc!==this.videoTrackCC&&(_=P(v,this.videoTrackCC)),i.live&&_.loadIdx&&_.loadIdx===this.fragLoadIdx){var E=l.nextStart?l.nextStart:A;return ne.b.log("no alt audio available @currentTime:"+this.media.currentTime+", seeking @"+(E+.05)),void(this.media.currentTime=E+.05)}}else{var T=void 0,S=n.maxFragLookUpTolerance,L=h?v[h.sn-v[0].sn+1]:void 0,R=function(t){var e=Math.min(S,t.duration);return t.start+t.duration-e<=d?1:t.start-e>d&&t.start?-1:0};d<b?(d>b-S&&(S=0),T=L&&!R(L)?L:He.search(v,R)):T=v[m-1],T&&(_=T,A=T.start,h&&_.level===h.level&&_.sn===h.sn&&(_.sn<i.endSN?(_=v[_.sn+1-i.startSN],ne.b.log("SN just loaded, load next one: "+_.sn)):_=null))}_&&(_.encrypted?(ne.b.log("Loading key for "+_.sn+" of ["+i.startSN+" ,"+i.endSN+"],track "+y),this.state=Qi.KEY_LOADING,r.trigger(re.a.KEY_LOADING,{frag:_})):(ne.b.log("Loading "+_.sn+", cc: "+_.cc+" of ["+i.startSN+" ,"+i.endSN+"],track "+y+", currentTime:"+t+",bufferEnd:"+d.toFixed(3)),(g||this.fragmentTracker.getState(_)===je.NOT_LOADED)&&(this.fragCurrent=_,this.startFragRequested=!0,Object(ie.a)(_.sn)&&(this.nextLoadPosition=_.start+_.duration),r.trigger(re.a.FRAG_LOADING,{frag:_}),this.state=Qi.FRAG_LOADING)))}break;case Qi.WAITING_TRACK:e=this.tracks[this.trackId],e&&e.details&&(this.state=Qi.IDLE);break;case Qi.FRAG_LOADING_WAITING_RETRY:var k=Zi.now(),w=this.retryDate;o=this.media;var C=o&&o.seeking;(!w||k>=w||C)&&(ne.b.log("audioStreamController: retryDate reached, switch back to IDLE state"),this.state=Qi.IDLE);break;case Qi.WAITING_INIT_PTS:var I=this.videoTrackCC;if(void 0===this.initPTS[I])break;var O=this.waitingFragment;if(O){var D=O.frag.cc;I!==D?(e=this.tracks[this.trackId],e.details&&e.details.live&&(ne.b.warn("Waiting fragment CC ("+D+") does not match video track CC ("+I+")"),this.waitingFragment=null,this.state=Qi.IDLE)):(this.state=Qi.FRAG_LOADING,this.onFragLoaded(this.waitingFragment),this.waitingFragment=null)}else this.state=Qi.IDLE;break;case Qi.STOPPED:case Qi.FRAG_LOADING:case Qi.PARSING:case Qi.PARSED:case Qi.ENDED:}},e.prototype.onMediaAttached=function(t){var e=this.media=this.mediaBuffer=t.media;this.onvseeking=this.onMediaSeeking.bind(this),this.onvended=this.onMediaEnded.bind(this),e.addEventListener("seeking",this.onvseeking),e.addEventListener("ended",this.onvended);var i=this.config;this.tracks&&i.autoStartLoad&&this.startLoad(i.startPosition)},e.prototype.onMediaDetaching=function(){var t=this.media;t&&t.ended&&(ne.b.log("MSE detaching and video ended, reset startPosition"),this.startPosition=this.lastCurrentTime=0),t&&(t.removeEventListener("seeking",this.onvseeking),t.removeEventListener("ended",this.onvended),this.onvseeking=this.onvseeked=this.onvended=null),this.media=this.mediaBuffer=this.videoBuffer=null,this.loadedmetadata=!1,this.stopLoad()},e.prototype.onMediaSeeking=function(){this.state===Qi.ENDED&&(this.state=Qi.IDLE),this.media&&(this.lastCurrentTime=this.media.currentTime),this.tick()},e.prototype.onMediaEnded=function(){this.startPosition=this.lastCurrentTime=0},e.prototype.onAudioTracksUpdated=function(t){ne.b.log("audio tracks updated"),this.tracks=t.audioTracks},e.prototype.onAudioTrackSwitching=function(t){var e=!!t.url;this.trackId=t.id,this.fragCurrent=null,this.state=Qi.PAUSED,this.waitingFragment=null,e?this.setInterval(100):this.demuxer&&(this.demuxer.destroy(),this.demuxer=null),e&&(this.audioSwitch=!0,this.state=Qi.IDLE),this.tick()},e.prototype.onAudioTrackLoaded=function(t){var e=t.details,i=t.id,r=this.tracks[i],n=e.totalduration,a=0;if(ne.b.log("track "+i+" loaded ["+e.startSN+","+e.endSN+"],duration:"+n),e.live){var o=r.details;o&&e.fragments.length>0?(O(o,e),a=e.fragments[0].start,e.PTSKnown?ne.b.log("live audio playlist sliding:"+a.toFixed(3)):ne.b.log("live audio playlist - outdated PTS, unknown sliding")):(e.PTSKnown=!1,ne.b.log("live audio playlist - first load, unknown sliding"))}else e.PTSKnown=!1;if(r.details=e,!this.startFragRequested){if(-1===this.startPosition){var s=e.startTimeOffset;Object(ie.a)(s)?(ne.b.log("start time offset found in playlist, adjust startPosition to "+s),this.startPosition=s):this.startPosition=0}this.nextLoadPosition=this.startPosition}this.state===Qi.WAITING_TRACK&&(this.state=Qi.IDLE),this.tick()},e.prototype.onKeyLoaded=function(){this.state===Qi.KEY_LOADING&&(this.state=Qi.IDLE,this.tick())},e.prototype.onFragLoaded=function(t){var e=this.fragCurrent,i=t.frag;if(this.state===Qi.FRAG_LOADING&&e&&"audio"===i.type&&i.level===e.level&&i.sn===e.sn){var r=this.tracks[this.trackId],n=r.details,a=n.totalduration,o=e.level,s=e.sn,l=e.cc,u=this.config.defaultAudioCodec||r.audioCodec||"mp4a.40.2",c=this.stats=t.stats;if("initSegment"===s)this.state=Qi.IDLE,c.tparsed=c.tbuffered=Zi.now(),n.initSegment.data=t.payload,this.hls.trigger(re.a.FRAG_BUFFERED,{stats:c,frag:e,id:"audio"}),this.tick();else{this.state=Qi.PARSING,this.appended=!1,this.demuxer||(this.demuxer=new ii(this.hls,"audio"));var d=this.initPTS[l],h=n.initSegment?n.initSegment.data:[];if(n.initSegment||void 0!==d){this.pendingBuffering=!0,ne.b.log("Demuxing "+s+" of ["+n.startSN+" ,"+n.endSN+"],track "+o);this.demuxer.push(t.payload,h,u,null,e,a,!1,d)}else ne.b.log("unknown video PTS for continuity counter "+l+", waiting for video PTS before demuxing audio frag "+s+" of ["+n.startSN+" ,"+n.endSN+"],track "+o),this.waitingFragment=t,this.state=Qi.WAITING_INIT_PTS}}this.fragLoadError=0},e.prototype.onFragParsingInitSegment=function(t){var e=this.fragCurrent,i=t.frag;if(e&&"audio"===t.id&&i.sn===e.sn&&i.level===e.level&&this.state===Qi.PARSING){var r=t.tracks,n=void 0;if(r.video&&delete r.video,n=r.audio){n.levelCodec=n.codec,n.id=t.id,this.hls.trigger(re.a.BUFFER_CODECS,r),ne.b.log("audio track:audio,container:"+n.container+",codecs[level/parsed]=["+n.levelCodec+"/"+n.codec+"]");var a=n.initSegment;if(a){var o={type:"audio",data:a,parent:"audio",content:"initSegment"};this.audioSwitch?this.pendingData=[o]:(this.appended=!0,this.pendingBuffering=!0,this.hls.trigger(re.a.BUFFER_APPENDING,o))}this.tick()}}},e.prototype.onFragParsingData=function(t){var e=this,i=this.fragCurrent,r=t.frag;if(i&&"audio"===t.id&&"audio"===t.type&&r.sn===i.sn&&r.level===i.level&&this.state===Qi.PARSING){var n=this.trackId,a=this.tracks[n],o=this.hls;Object(ie.a)(t.endPTS)||(t.endPTS=t.startPTS+i.duration,t.endDTS=t.startDTS+i.duration),i.addElementaryStream(ge.ElementaryStreamTypes.AUDIO),ne.b.log("parsed "+t.type+",PTS:["+t.startPTS.toFixed(3)+","+t.endPTS.toFixed(3)+"],DTS:["+t.startDTS.toFixed(3)+"/"+t.endDTS.toFixed(3)+"],nb:"+t.nb),I(a.details,i,t.startPTS,t.endPTS);var s=this.audioSwitch,l=this.media,u=!1;if(s&&l)if(l.readyState){var c=l.currentTime;ne.b.log("switching audio track : currentTime:"+c),c>=t.startPTS&&(ne.b.log("switching audio track : flushing all audio"),this.state=Qi.BUFFER_FLUSHING,o.trigger(re.a.BUFFER_FLUSHING,{startOffset:0,endOffset:Number.POSITIVE_INFINITY,type:"audio"}),u=!0,this.audioSwitch=!1,o.trigger(re.a.AUDIO_TRACK_SWITCHED,{id:n}))}else this.audioSwitch=!1,o.trigger(re.a.AUDIO_TRACK_SWITCHED,{id:n});var d=this.pendingData;if(!d)return ne.b.warn("Apparently attempt to enqueue media payload without codec initialization data upfront"),void o.trigger(re.a.ERROR,{type:ee.b.MEDIA_ERROR,details:null,fatal:!0});this.audioSwitch||([t.data1,t.data2].forEach(function(e){e&&e.length&&d.push({type:t.type,data:e,parent:"audio",content:"data"})}),!u&&d.length&&(d.forEach(function(t){e.state===Qi.PARSING&&(e.pendingBuffering=!0,e.hls.trigger(re.a.BUFFER_APPENDING,t))}),this.pendingData=[],this.appended=!0)),this.tick()}},e.prototype.onFragParsed=function(t){var e=this.fragCurrent,i=t.frag;e&&"audio"===t.id&&i.sn===e.sn&&i.level===e.level&&this.state===Qi.PARSING&&(this.stats.tparsed=Zi.now(),this.state=Qi.PARSED,this._checkAppendedParsed())},e.prototype.onBufferReset=function(){this.mediaBuffer=this.videoBuffer=null,this.loadedmetadata=!1},e.prototype.onBufferCreated=function(t){var e=t.tracks.audio;e&&(this.mediaBuffer=e.buffer,this.loadedmetadata=!0),t.tracks.video&&(this.videoBuffer=t.tracks.video.buffer)},e.prototype.onBufferAppended=function(t){if("audio"===t.parent){var e=this.state;e!==Qi.PARSING&&e!==Qi.PARSED||(this.pendingBuffering=t.pending>0,this._checkAppendedParsed())}},e.prototype._checkAppendedParsed=function(){if(!(this.state!==Qi.PARSED||this.appended&&this.pendingBuffering)){var t=this.fragCurrent,e=this.stats,i=this.hls;if(t){this.fragPrevious=t,e.tbuffered=Zi.now(),i.trigger(re.a.FRAG_BUFFERED,{stats:e,frag:t,id:"audio"});var r=this.mediaBuffer?this.mediaBuffer:this.media;ne.b.log("audio buffered : "+ni.toString(r.buffered)),this.audioSwitch&&this.appended&&(this.audioSwitch=!1,i.trigger(re.a.AUDIO_TRACK_SWITCHED,{id:this.trackId})),this.state=Qi.IDLE}this.tick()}},e.prototype.onError=function(t){var e=t.frag;if(!e||"audio"===e.type)switch(t.details){case ee.a.FRAG_LOAD_ERROR:case ee.a.FRAG_LOAD_TIMEOUT:var i=t.frag;if(i&&"audio"!==i.type)break;if(!t.fatal){var r=this.fragLoadError;r?r++:r=1;var n=this.config;if(r<=n.fragLoadingMaxRetry){this.fragLoadError=r;var a=Math.min(Math.pow(2,r-1)*n.fragLoadingRetryDelay,n.fragLoadingMaxRetryTimeout);ne.b.warn("AudioStreamController: frag loading failed, retry in "+a+" ms"),this.retryDate=Zi.now()+a,this.state=Qi.FRAG_LOADING_WAITING_RETRY}else ne.b.error("AudioStreamController: "+t.details+" reaches max retry, redispatch as fatal ..."),t.fatal=!0,this.state=Qi.ERROR}break;case ee.a.AUDIO_TRACK_LOAD_ERROR:case ee.a.AUDIO_TRACK_LOAD_TIMEOUT:case ee.a.KEY_LOAD_ERROR:case ee.a.KEY_LOAD_TIMEOUT:this.state!==Qi.ERROR&&(this.state=t.fatal?Qi.ERROR:Qi.IDLE,ne.b.warn("AudioStreamController: "+t.details+" while loading frag, now switching to "+this.state+" state ..."));break;case ee.a.BUFFER_FULL_ERROR:if("audio"===t.parent&&(this.state===Qi.PARSING||this.state===Qi.PARSED)){var o=this.mediaBuffer,s=this.media.currentTime;if(o&&$e.isBuffered(o,s)&&$e.isBuffered(o,s+.5)){var l=this.config;l.maxMaxBufferLength>=l.maxBufferLength&&(l.maxMaxBufferLength/=2,ne.b.warn("AudioStreamController: reduce max buffer length to "+l.maxMaxBufferLength+"s")),this.state=Qi.IDLE}else ne.b.warn("AudioStreamController: buffer full error also media.currentTime is not buffered, flush audio buffer"),this.fragCurrent=null,this.state=Qi.BUFFER_FLUSHING,this.hls.trigger(re.a.BUFFER_FLUSHING,{startOffset:0,endOffset:Number.POSITIVE_INFINITY,type:"audio"})}}},e.prototype.onBufferFlushed=function(){var t=this,e=this.pendingData;e&&e.length?(ne.b.log("AudioStreamController: appending pending audio data after buffer flushed"),e.forEach(function(e){t.hls.trigger(re.a.BUFFER_APPENDING,e)}),this.appended=!0,this.pendingData=[],this.state=Qi.PARSED):(this.state=Qi.IDLE,this.fragPrevious=null,this.tick())},qi(e,[{key:"state",set:function(t){if(this.state!==t){var e=this.state;this._state=t,ne.b.log("audio stream:"+e+"->"+t)}},get:function(){return this._state}}]),e}(oi),tr=Ji,er=function(){function t(t){return"string"==typeof t&&(!!a[t.toLowerCase()]&&t.toLowerCase())}function e(t){return"string"==typeof t&&(!!o[t.toLowerCase()]&&t.toLowerCase())}function i(t){for(var e=1;e<arguments.length;e++){var i=arguments[e];for(var r in i)t[r]=i[r]}return t}function r(r,a,o){var s=this,l=function(){if("undefined"!=typeof navigator)return/MSIE\s8\.0/.test(navigator.userAgent)}(),u={};l?s=document.createElement("custom"):u.enumerable=!0,s.hasBeenReset=!1;var c="",d=!1,h=r,f=a,p=o,g=null,y="",v=!0,m="auto",A="start",b=50,_="middle",E=50,T="middle";if(Object.defineProperty(s,"id",i({},u,{get:function(){return c},set:function(t){c=""+t}})),Object.defineProperty(s,"pauseOnExit",i({},u,{get:function(){return d},set:function(t){d=!!t}})),Object.defineProperty(s,"startTime",i({},u,{get:function(){return h},set:function(t){if("number"!=typeof t)throw new TypeError("Start time must be set to a number.");h=t,this.hasBeenReset=!0}})),Object.defineProperty(s,"endTime",i({},u,{get:function(){return f},set:function(t){if("number"!=typeof t)throw new TypeError("End time must be set to a number.");f=t,this.hasBeenReset=!0}})),Object.defineProperty(s,"text",i({},u,{get:function(){return p},set:function(t){p=""+t,this.hasBeenReset=!0}})),Object.defineProperty(s,"region",i({},u,{get:function(){return g},set:function(t){g=t,this.hasBeenReset=!0}})),Object.defineProperty(s,"vertical",i({},u,{get:function(){return y},set:function(e){var i=t(e);if(!1===i)throw new SyntaxError("An invalid or illegal string was specified.");y=i,this.hasBeenReset=!0}})),Object.defineProperty(s,"snapToLines",i({},u,{get:function(){return v},set:function(t){v=!!t,this.hasBeenReset=!0}})),Object.defineProperty(s,"line",i({},u,{get:function(){return m},set:function(t){if("number"!=typeof t&&t!==n)throw new SyntaxError("An invalid number or illegal string was specified.");m=t,this.hasBeenReset=!0}})),Object.defineProperty(s,"lineAlign",i({},u,{get:function(){return A},set:function(t){var i=e(t);if(!i)throw new SyntaxError("An invalid or illegal string was specified.");A=i,this.hasBeenReset=!0}})),Object.defineProperty(s,"position",i({},u,{get:function(){return b},set:function(t){if(t<0||t>100)throw new Error("Position must be between 0 and 100.");b=t,this.hasBeenReset=!0}})),Object.defineProperty(s,"positionAlign",i({},u,{get:function(){return _},set:function(t){var i=e(t);if(!i)throw new SyntaxError("An invalid or illegal string was specified.");_=i,this.hasBeenReset=!0}})),Object.defineProperty(s,"size",i({},u,{get:function(){return E},set:function(t){if(t<0||t>100)throw new Error("Size must be between 0 and 100.");E=t,this.hasBeenReset=!0}})),Object.defineProperty(s,"align",i({},u,{get:function(){return T},set:function(t){var i=e(t);if(!i)throw new SyntaxError("An invalid or illegal string was specified.");T=i,this.hasBeenReset=!0}})),s.displayState=void 0,l)return s}if("undefined"!=typeof window&&window.VTTCue)return window.VTTCue;var n="auto",a={"":!0,lr:!0,rl:!0},o={start:!0,middle:!0,end:!0,left:!0,right:!0};return r.prototype.getCueAsHTML=function(){return window.WebVTT.convertCueToDOMTree(window,this.text)},r}(),ir=function(){return{decode:function(t){if(!t)return"";if("string"!=typeof t)throw new Error("Error - expected string data.");return decodeURIComponent(encodeURIComponent(t))}}};Ct.prototype={set:function(t,e){this.get(t)||""===e||(this.values[t]=e)},get:function(t,e,i){return i?this.has(t)?this.values[t]:e[i]:this.has(t)?this.values[t]:e},has:function(t){return t in this.values},alt:function(t,e,i){for(var r=0;r<i.length;++r)if(e===i[r]){this.set(t,e);break}},integer:function(t,e){/^-?\d+$/.test(e)&&this.set(t,parseInt(e,10))},percent:function(t,e){return!!(e.match(/^([\d]{1,3})(\.[\d]*)?%$/)&&(e=parseFloat(e))>=0&&e<=100)&&(this.set(t,e),!0)}};var rr=new er(0,0,0),nr="middle"===rr.align?"middle":"center";kt.prototype={parse:function(t){function e(){var t=i.buffer,e=0;for(t=Dt(t);e<t.length&&"\r"!==t[e]&&"\n"!==t[e];)++e;var r=t.substr(0,e);return"\r"===t[e]&&++e,"\n"===t[e]&&++e,i.buffer=t.substr(e),r}var i=this;t&&(i.buffer+=i.decoder.decode(t,{stream:!0}));try{var r=void 0;if("INITIAL"===i.state){if(!/\r\n|\n/.test(i.buffer))return this;r=e();var n=r.match(/^()?WEBVTT([ \t].*)?$/);if(!n||!n[0])throw new Error("Malformed WebVTT signature.");i.state="HEADER"}for(var a=!1;i.buffer;){if(!/\r\n|\n/.test(i.buffer))return this;switch(a?a=!1:r=e(),i.state){case"HEADER":/:/.test(r)?function(t){It(t,function(t,e){},/:/)}(r):r||(i.state="ID");continue;case"NOTE":r||(i.state="ID");continue;case"ID":if(/^NOTE($|[ \t])/.test(r)){i.state="NOTE";break}if(!r)continue;if(i.cue=new er(0,0,""),i.state="CUE",-1===r.indexOf("--\x3e")){i.cue.id=r;continue}case"CUE":try{Ot(r,i.cue,i.regionList)}catch(t){i.cue=null,i.state="BADCUE";continue}i.state="CUETEXT";continue;case"CUETEXT":var o=-1!==r.indexOf("--\x3e");if(!r||o&&(a=!0)){i.oncue&&i.oncue(i.cue),i.cue=null,i.state="ID";continue}i.cue.text&&(i.cue.text+="\n"),i.cue.text+=r;continue;case"BADCUE":r||(i.state="ID");continue}}}catch(t){"CUETEXT"===i.state&&i.cue&&i.oncue&&i.oncue(i.cue),i.cue=null,i.state="INITIAL"===i.state?"BADWEBVTT":"BADCUE"}return this},flush:function(){var t=this;try{if(t.buffer+=t.decoder.decode(),(t.cue||"HEADER"===t.state)&&(t.buffer+="\n\n",t.parse()),"INITIAL"===t.state)throw new Error("Malformed WebVTT signature.")}catch(t){throw t}return t.onflush&&t.onflush(),this}};var ar=kt,or={42:225,92:233,94:237,95:243,96:250,123:231,124:247,125:209,126:241,127:9608,128:174,129:176,130:189,131:191,132:8482,133:162,134:163,135:9834,136:224,137:32,138:232,139:226,140:234,141:238,142:244,143:251,144:193,145:201,146:211,147:218,148:220,149:252,150:8216,151:161,152:42,153:8217,154:9473,155:169,156:8480,157:8226,158:8220,159:8221,160:192,161:194,162:199,163:200,164:202,165:203,166:235,167:206,168:207,169:239,170:212,171:217,172:249,173:219,174:171,175:187,176:195,177:227,178:205,179:204,180:236,181:210,182:242,183:213,184:245,185:123,186:125,187:92,188:94,189:95,190:124,191:8764,192:196,193:228,194:214,195:246,196:223,197:165,198:164,199:9475,200:197,201:229,202:216,203:248,204:9487,205:9491,206:9495,207:9499},sr=function(t){var e=t;return or.hasOwnProperty(t)&&(e=or[t]),String.fromCharCode(e)},lr=15,ur=100,cr={17:1,18:3,21:5,22:7,23:9,16:11,19:12,20:14},dr={17:2,18:4,21:6,22:8,23:10,19:13,20:15},hr={25:1,26:3,29:5,30:7,31:9,24:11,27:12,28:14},fr={25:2,26:4,29:6,30:8,31:10,27:13,28:15},pr=["white","green","blue","cyan","red","yellow","magenta","black","transparent"],gr={verboseFilter:{DATA:3,DEBUG:3,INFO:2,WARNING:2,TEXT:1,ERROR:0},time:null,verboseLevel:0,setTime:function(t){this.time=t},log:function(t,e){this.verboseFilter[t];this.verboseLevel}},yr=function(t){for(var e=[],i=0;i<t.length;i++)e.push(t[i].toString(16));return e},vr=function(){function t(e,i,r,n,a){xt(this,t),this.foreground=e||"white",this.underline=i||!1,this.italics=r||!1,this.background=n||"black",this.flash=a||!1}return t.prototype.reset=function(){this.foreground="white",this.underline=!1,this.italics=!1,this.background="black",this.flash=!1},t.prototype.setStyles=function(t){for(var e=["foreground","underline","italics","background","flash"],i=0;i<e.length;i++){var r=e[i];t.hasOwnProperty(r)&&(this[r]=t[r])}},t.prototype.isDefault=function(){return"white"===this.foreground&&!this.underline&&!this.italics&&"black"===this.background&&!this.flash},t.prototype.equals=function(t){return this.foreground===t.foreground&&this.underline===t.underline&&this.italics===t.italics&&this.background===t.background&&this.flash===t.flash},t.prototype.copy=function(t){this.foreground=t.foreground,this.underline=t.underline,this.italics=t.italics,this.background=t.background,this.flash=t.flash},t.prototype.toString=function(){return"color="+this.foreground+", underline="+this.underline+", italics="+this.italics+", background="+this.background+", flash="+this.flash},t}(),mr=function(){function t(e,i,r,n,a,o){xt(this,t),this.uchar=e||" ",this.penState=new vr(i,r,n,a,o)}return t.prototype.reset=function(){this.uchar=" ",this.penState.reset()},t.prototype.setChar=function(t,e){this.uchar=t,this.penState.copy(e)},t.prototype.setPenState=function(t){this.penState.copy(t)},t.prototype.equals=function(t){return this.uchar===t.uchar&&this.penState.equals(t.penState)},t.prototype.copy=function(t){this.uchar=t.uchar,this.penState.copy(t.penState)},t.prototype.isEmpty=function(){return" "===this.uchar&&this.penState.isDefault()},t}(),Ar=function(){function t(){xt(this,t),this.chars=[];for(var e=0;e<ur;e++)this.chars.push(new mr);this.pos=0,this.currPenState=new vr}return t.prototype.equals=function(t){for(var e=!0,i=0;i<ur;i++)if(!this.chars[i].equals(t.chars[i])){e=!1;break}return e},t.prototype.copy=function(t){for(var e=0;e<ur;e++)this.chars[e].copy(t.chars[e])},t.prototype.isEmpty=function(){for(var t=!0,e=0;e<ur;e++)if(!this.chars[e].isEmpty()){t=!1;break}return t},t.prototype.setCursor=function(t){this.pos!==t&&(this.pos=t),this.pos<0?(gr.log("ERROR","Negative cursor position "+this.pos),this.pos=0):this.pos>ur&&(gr.log("ERROR","Too large cursor position "+this.pos),this.pos=ur)},t.prototype.moveCursor=function(t){var e=this.pos+t;if(t>1)for(var i=this.pos+1;i<e+1;i++)this.chars[i].setPenState(this.currPenState);this.setCursor(e)},t.prototype.backSpace=function(){this.moveCursor(-1),this.chars[this.pos].setChar(" ",this.currPenState)},t.prototype.insertChar=function(t){t>=144&&this.backSpace();var e=sr(t);if(this.pos>=ur)return void gr.log("ERROR","Cannot insert "+t.toString(16)+" ("+e+") at position "+this.pos+". Skipping it!");this.chars[this.pos].setChar(e,this.currPenState),this.moveCursor(1)},t.prototype.clearFromPos=function(t){var e=void 0;for(e=t;e<ur;e++)this.chars[e].reset()},t.prototype.clear=function(){this.clearFromPos(0),this.pos=0,this.currPenState.reset()},t.prototype.clearToEndOfRow=function(){this.clearFromPos(this.pos)},t.prototype.getTextString=function(){for(var t=[],e=!0,i=0;i<ur;i++){var r=this.chars[i].uchar;" "!==r&&(e=!1),t.push(r)}return e?"":t.join("")},t.prototype.setPenStyles=function(t){this.currPenState.setStyles(t),this.chars[this.pos].setPenState(this.currPenState)},t}(),br=function(){function t(){xt(this,t),this.rows=[];for(var e=0;e<lr;e++)this.rows.push(new Ar);this.currRow=lr-1,this.nrRollUpRows=null,this.reset()}return t.prototype.reset=function(){for(var t=0;t<lr;t++)this.rows[t].clear();this.currRow=lr-1},t.prototype.equals=function(t){for(var e=!0,i=0;i<lr;i++)if(!this.rows[i].equals(t.rows[i])){e=!1;break}return e},t.prototype.copy=function(t){for(var e=0;e<lr;e++)this.rows[e].copy(t.rows[e])},t.prototype.isEmpty=function(){for(var t=!0,e=0;e<lr;e++)if(!this.rows[e].isEmpty()){t=!1;break}return t},t.prototype.backSpace=function(){this.rows[this.currRow].backSpace()},t.prototype.clearToEndOfRow=function(){this.rows[this.currRow].clearToEndOfRow()},t.prototype.insertChar=function(t){this.rows[this.currRow].insertChar(t)},t.prototype.setPen=function(t){this.rows[this.currRow].setPenStyles(t)},t.prototype.moveCursor=function(t){this.rows[this.currRow].moveCursor(t)},t.prototype.setCursor=function(t){gr.log("INFO","setCursor: "+t),this.rows[this.currRow].setCursor(t)},t.prototype.setPAC=function(t){gr.log("INFO","pacData = "+JSON.stringify(t));var e=t.row-1;if(this.nrRollUpRows&&e<this.nrRollUpRows-1&&(e=this.nrRollUpRows-1),this.nrRollUpRows&&this.currRow!==e){for(var i=0;i<lr;i++)this.rows[i].clear();var r=this.currRow+1-this.nrRollUpRows,n=this.lastOutputScreen;if(n){var a=n.rows[r].cueStartTime;if(a&&a<gr.time)for(var o=0;o<this.nrRollUpRows;o++)this.rows[e-this.nrRollUpRows+o+1].copy(n.rows[r+o])}}this.currRow=e;var s=this.rows[this.currRow];if(null!==t.indent){var l=t.indent,u=Math.max(l-1,0);s.setCursor(t.indent),t.color=s.chars[u].penState.foreground}var c={foreground:t.color,underline:t.underline,italics:t.italics,background:"black",flash:!1};this.setPen(c)},t.prototype.setBkgData=function(t){gr.log("INFO","bkgData = "+JSON.stringify(t)),this.backSpace(),this.setPen(t),this.insertChar(32)},t.prototype.setRollUpRows=function(t){this.nrRollUpRows=t},t.prototype.rollUp=function(){if(null===this.nrRollUpRows)return void gr.log("DEBUG","roll_up but nrRollUpRows not set yet");gr.log("TEXT",this.getDisplayText());var t=this.currRow+1-this.nrRollUpRows,e=this.rows.splice(t,1)[0];e.clear(),this.rows.splice(this.currRow,0,e),gr.log("INFO","Rolling up")},t.prototype.getDisplayText=function(t){t=t||!1;for(var e=[],i="",r=-1,n=0;n<lr;n++){var a=this.rows[n].getTextString();a&&(r=n+1,t?e.push("Row "+r+": '"+a+"'"):e.push(a.trim()))}return e.length>0&&(i=t?"["+e.join(" | ")+"]":e.join("\n")),i},t.prototype.getTextAndFormat=function(){return this.rows},t}(),_r=function(){function t(e,i){xt(this,t),this.chNr=e,this.outputFilter=i,this.mode=null,this.verbose=0,this.displayedMemory=new br,this.nonDisplayedMemory=new br,this.lastOutputScreen=new br,this.currRollUpRow=this.displayedMemory.rows[lr-1],this.writeScreen=this.displayedMemory,this.mode=null,this.cueStartTime=null}return t.prototype.reset=function(){this.mode=null,this.displayedMemory.reset(),this.nonDisplayedMemory.reset(),this.lastOutputScreen.reset(),this.currRollUpRow=this.displayedMemory.rows[lr-1],this.writeScreen=this.displayedMemory,this.mode=null,this.cueStartTime=null,this.lastCueEndTime=null},t.prototype.getHandler=function(){return this.outputFilter},t.prototype.setHandler=function(t){this.outputFilter=t},t.prototype.setPAC=function(t){this.writeScreen.setPAC(t)},t.prototype.setBkgData=function(t){this.writeScreen.setBkgData(t)},t.prototype.setMode=function(t){t!==this.mode&&(this.mode=t,gr.log("INFO","MODE="+t),"MODE_POP-ON"===this.mode?this.writeScreen=this.nonDisplayedMemory:(this.writeScreen=this.displayedMemory,this.writeScreen.reset()),"MODE_ROLL-UP"!==this.mode&&(this.displayedMemory.nrRollUpRows=null,this.nonDisplayedMemory.nrRollUpRows=null),this.mode=t)},t.prototype.insertChars=function(t){for(var e=0;e<t.length;e++)this.writeScreen.insertChar(t[e]);var i=this.writeScreen===this.displayedMemory?"DISP":"NON_DISP";gr.log("INFO",i+": "+this.writeScreen.getDisplayText(!0)),"MODE_PAINT-ON"!==this.mode&&"MODE_ROLL-UP"!==this.mode||(gr.log("TEXT","DISPLAYED: "+this.displayedMemory.getDisplayText(!0)),this.outputDataUpdate())},t.prototype.ccRCL=function(){gr.log("INFO","RCL - Resume Caption Loading"),this.setMode("MODE_POP-ON")},t.prototype.ccBS=function(){gr.log("INFO","BS - BackSpace"),"MODE_TEXT"!==this.mode&&(this.writeScreen.backSpace(),this.writeScreen===this.displayedMemory&&this.outputDataUpdate())},t.prototype.ccAOF=function(){},t.prototype.ccAON=function(){},t.prototype.ccDER=function(){gr.log("INFO","DER- Delete to End of Row"),this.writeScreen.clearToEndOfRow(),this.outputDataUpdate()},t.prototype.ccRU=function(t){gr.log("INFO","RU("+t+") - Roll Up"),this.writeScreen=this.displayedMemory,this.setMode("MODE_ROLL-UP"),this.writeScreen.setRollUpRows(t)},t.prototype.ccFON=function(){gr.log("INFO","FON - Flash On"),this.writeScreen.setPen({flash:!0})},t.prototype.ccRDC=function(){gr.log("INFO","RDC - Resume Direct Captioning"),this.setMode("MODE_PAINT-ON")},t.prototype.ccTR=function(){gr.log("INFO","TR"),this.setMode("MODE_TEXT")},t.prototype.ccRTD=function(){gr.log("INFO","RTD"),this.setMode("MODE_TEXT")},t.prototype.ccEDM=function(){gr.log("INFO","EDM - Erase Displayed Memory"),this.displayedMemory.reset(),this.outputDataUpdate(!0)},t.prototype.ccCR=function(){gr.log("CR - Carriage Return"),this.writeScreen.rollUp(),this.outputDataUpdate(!0)},t.prototype.ccENM=function(){gr.log("INFO","ENM - Erase Non-displayed Memory"),this.nonDisplayedMemory.reset()},t.prototype.ccEOC=function(){if(gr.log("INFO","EOC - End Of Caption"),"MODE_POP-ON"===this.mode){var t=this.displayedMemory;this.displayedMemory=this.nonDisplayedMemory,this.nonDisplayedMemory=t,this.writeScreen=this.nonDisplayedMemory,gr.log("TEXT","DISP: "+this.displayedMemory.getDisplayText())}this.outputDataUpdate(!0)},t.prototype.ccTO=function(t){gr.log("INFO","TO("+t+") - Tab Offset"),this.writeScreen.moveCursor(t)},t.prototype.ccMIDROW=function(t){var e={flash:!1};if(e.underline=t%2==1,e.italics=t>=46,e.italics)e.foreground="white";else{var i=Math.floor(t/2)-16,r=["white","green","blue","cyan","red","yellow","magenta"];e.foreground=r[i]}gr.log("INFO","MIDROW: "+JSON.stringify(e)),this.writeScreen.setPen(e)},t.prototype.outputDataUpdate=function(){var t=arguments.length>0&&void 0!==arguments[0]&&arguments[0],e=gr.time;null!==e&&this.outputFilter&&(null!==this.cueStartTime||this.displayedMemory.isEmpty()?this.displayedMemory.equals(this.lastOutputScreen)||(this.outputFilter.newCue&&(this.outputFilter.newCue(this.cueStartTime,e,this.lastOutputScreen),!0===t&&this.outputFilter.dispatchCue&&this.outputFilter.dispatchCue()),this.cueStartTime=this.displayedMemory.isEmpty()?null:e):this.cueStartTime=e,this.lastOutputScreen.copy(this.displayedMemory))},t.prototype.cueSplitAtTime=function(t){this.outputFilter&&(this.displayedMemory.isEmpty()||(this.outputFilter.newCue&&this.outputFilter.newCue(this.cueStartTime,t,this.displayedMemory),this.cueStartTime=t))},t}(),Er=function(){function t(e,i,r){xt(this,t),this.field=e||1,this.outputs=[i,r],this.channels=[new _r(1,i),new _r(2,r)],this.currChNr=-1,this.lastCmdA=null,this.lastCmdB=null,this.bufferedData=[],this.startTime=null,this.lastTime=null,this.dataCounters={padding:0,char:0,cmd:0,other:0}}return t.prototype.getHandler=function(t){return this.channels[t].getHandler()},t.prototype.setHandler=function(t,e){this.channels[t].setHandler(e)},t.prototype.addData=function(t,e){var i=void 0,r=void 0,n=void 0,a=!1;this.lastTime=t,gr.setTime(t);for(var o=0;o<e.length;o+=2)if(r=127&e[o],n=127&e[o+1],0!==r||0!==n){if(gr.log("DATA","["+yr([e[o],e[o+1]])+"] -> ("+yr([r,n])+")"),i=this.parseCmd(r,n),i||(i=this.parseMidrow(r,n)),i||(i=this.parsePAC(r,n)),i||(i=this.parseBackgroundAttributes(r,n)),!i&&(a=this.parseChars(r,n)))if(this.currChNr&&this.currChNr>=0){var s=this.channels[this.currChNr-1];s.insertChars(a)}else gr.log("WARNING","No channel found yet. TEXT-MODE?");i?this.dataCounters.cmd+=2:a?this.dataCounters.char+=2:(this.dataCounters.other+=2,gr.log("WARNING","Couldn't parse cleaned data "+yr([r,n])+" orig: "+yr([e[o],e[o+1]])))}else this.dataCounters.padding+=2},t.prototype.parseCmd=function(t,e){var i=null,r=(20===t||28===t)&&e>=32&&e<=47,n=(23===t||31===t)&&e>=33&&e<=35;if(!r&&!n)return!1;if(t===this.lastCmdA&&e===this.lastCmdB)return this.lastCmdA=null,this.lastCmdB=null,gr.log("DEBUG","Repeated command ("+yr([t,e])+") is dropped"),!0;i=20===t||23===t?1:2;var a=this.channels[i-1];return 20===t||28===t?32===e?a.ccRCL():33===e?a.ccBS():34===e?a.ccAOF():35===e?a.ccAON():36===e?a.ccDER():37===e?a.ccRU(2):38===e?a.ccRU(3):39===e?a.ccRU(4):40===e?a.ccFON():41===e?a.ccRDC():42===e?a.ccTR():43===e?a.ccRTD():44===e?a.ccEDM():45===e?a.ccCR():46===e?a.ccENM():47===e&&a.ccEOC():a.ccTO(e-32),this.lastCmdA=t,this.lastCmdB=e,this.currChNr=i,!0},t.prototype.parseMidrow=function(t,e){var i=null;if((17===t||25===t)&&e>=32&&e<=47){if((i=17===t?1:2)!==this.currChNr)return gr.log("ERROR","Mismatch channel in midrow parsing"),!1;return this.channels[i-1].ccMIDROW(e),gr.log("DEBUG","MIDROW ("+yr([t,e])+")"),!0}return!1},t.prototype.parsePAC=function(t,e){var i=null,r=null,n=(t>=17&&t<=23||t>=25&&t<=31)&&e>=64&&e<=127,a=(16===t||24===t)&&e>=64&&e<=95;if(!n&&!a)return!1;if(t===this.lastCmdA&&e===this.lastCmdB)return this.lastCmdA=null,this.lastCmdB=null,!0;i=t<=23?1:2,r=e>=64&&e<=95?1===i?cr[t]:hr[t]:1===i?dr[t]:fr[t];var o=this.interpretPAC(r,e);return this.channels[i-1].setPAC(o),this.lastCmdA=t,this.lastCmdB=e,this.currChNr=i,!0},t.prototype.interpretPAC=function(t,e){var i=e,r={color:null,italics:!1,indent:null,underline:!1,row:t};return i=e>95?e-96:e-64,r.underline=1==(1&i),i<=13?r.color=["white","green","blue","cyan","red","yellow","magenta","white"][Math.floor(i/2)]:i<=15?(r.italics=!0,r.color="white"):r.indent=4*Math.floor((i-16)/2),r},t.prototype.parseChars=function(t,e){var i=null,r=null,n=null;if(t>=25?(i=2,n=t-8):(i=1,n=t),n>=17&&n<=19){var a=e;a=17===n?e+80:18===n?e+112:e+144,gr.log("INFO","Special char '"+sr(a)+"' in channel "+i),r=[a]}else t>=32&&t<=127&&(r=0===e?[t]:[t,e]);if(r){var o=yr(r);gr.log("DEBUG","Char codes = "+o.join(",")),this.lastCmdA=null,this.lastCmdB=null}return r},t.prototype.parseBackgroundAttributes=function(t,e){var i=void 0,r=void 0,n=void 0,a=void 0,o=(16===t||24===t)&&e>=32&&e<=47,s=(23===t||31===t)&&e>=45&&e<=47;return!(!o&&!s)&&(i={},16===t||24===t?(r=Math.floor((e-32)/2),i.background=pr[r],e%2==1&&(i.background=i.background+"_semi")):45===e?i.background="transparent":(i.foreground="black",47===e&&(i.underline=!0)),n=t<24?1:2,a=this.channels[n-1],a.setBkgData(i),this.lastCmdA=null,this.lastCmdB=null,!0)},t.prototype.reset=function(){for(var t=0;t<this.channels.length;t++)this.channels[t]&&this.channels[t].reset();this.lastCmdA=null,this.lastCmdB=null},t.prototype.cueSplitAtTime=function(t){for(var e=0;e<this.channels.length;e++)this.channels[e]&&this.channels[e].cueSplitAtTime(t)},t}(),Tr=Er,Sr=function(){function t(e,i){Mt(this,t),this.timelineController=e,this.trackName=i,this.startTime=null,this.endTime=null,this.screen=null}return t.prototype.dispatchCue=function(){null!==this.startTime&&(this.timelineController.addCues(this.trackName,this.startTime,this.endTime,this.screen),this.startTime=null)},t.prototype.newCue=function(t,e,i){(null===this.startTime||this.startTime>t)&&(this.startTime=t),this.endTime=e,this.screen=i,this.timelineController.createCaptionsTrack(this.trackName)},t}(),Lr=Sr,Rr=function(t,e,i){return t.substr(i||0,e.length)===e},kr=function(t){var e=parseInt(t.substr(-3)),i=parseInt(t.substr(-6,2)),r=parseInt(t.substr(-9,2)),n=t.length>9?parseInt(t.substr(0,t.indexOf(":"))):0;return Object(ie.a)(e)&&Object(ie.a)(i)&&Object(ie.a)(r)&&Object(ie.a)(n)?(e+=1e3*i,e+=6e4*r,e+=36e5*n):-1},wr=function(t){for(var e=5381,i=t.length;i;)e=33*e^t.charCodeAt(--i);return(e>>>0).toString()},Cr=function(t,e,i){var r=t[e],n=t[r.prevCC];if(!n||!n.new&&r.new)return t.ccOffset=t.presentationOffset=r.start,void(r.new=!1);for(;n&&n.new;)t.ccOffset+=r.start-n.start,r.new=!1,r=n,n=t[r.prevCC];t.presentationOffset=i},Ir={parse:function(t,e,i,r,n,a){var o=/\r\n|\n\r|\n|\r/g,s=Object(Ai.b)(new Uint8Array(t)).trim().replace(o,"\n").split("\n"),l="00:00.000",u=0,c=0,d=0,h=[],f=void 0,p=!0,g=new ar;g.oncue=function(t){var e=i[r],n=i.ccOffset;e&&e.new&&(void 0!==c?n=i.ccOffset=e.start:Cr(i,r,d)),d&&(n=d+i.ccOffset-i.presentationOffset),t.startTime+=n-c,t.endTime+=n-c,t.id=wr(t.startTime.toString())+wr(t.endTime.toString())+wr(t.text),t.text=decodeURIComponent(encodeURIComponent(t.text)),t.endTime>0&&h.push(t)},g.onparsingerror=function(t){f=t},g.onflush=function(){if(f&&a)return void a(f);n(h)},s.forEach(function(t){if(p){if(Rr(t,"X-TIMESTAMP-MAP=")){p=!1,t.substr(16).split(",").forEach(function(t){Rr(t,"LOCAL:")?l=t.substr(6):Rr(t,"MPEGTS:")&&(u=parseInt(t.substr(7)))});try{e=e<0?e+8589934592:e,u-=e,c=kr(l)/1e3,d=u/9e4,-1===c&&(f=new Error("Malformed X-TIMESTAMP-MAP: "+t))}catch(e){f=new Error("Malformed X-TIMESTAMP-MAP: "+t)}return}""===t&&(p=!1)}g.parse(t+"\n")}),g.flush()}},Or=Ir,Dr=function(t){function e(i){Nt(this,e);var r=Ft(this,t.call(this,i,re.a.MEDIA_ATTACHING,re.a.MEDIA_DETACHING,re.a.FRAG_PARSING_USERDATA,re.a.FRAG_DECRYPTED,re.a.MANIFEST_LOADING,re.a.MANIFEST_LOADED,re.a.FRAG_LOADED,re.a.LEVEL_SWITCHING,re.a.INIT_PTS_FOUND));if(r.hls=i,r.config=i.config,r.enabled=!0,r.Cues=i.config.cueHandler,r.textTracks=[],r.tracks=[],r.unparsedVttFrags=[],r.initPTS=void 0,r.cueRanges=[],r.captionsTracks={},r.captionsProperties={textTrack1:{label:r.config.captionsTextTrack1Label,languageCode:r.config.captionsTextTrack1LanguageCode},textTrack2:{label:r.config.captionsTextTrack2Label,languageCode:r.config.captionsTextTrack2LanguageCode}},r.config.enableCEA708Captions){var n=new Lr(r,"textTrack1"),a=new Lr(r,"textTrack2");r.cea608Parser=new Tr(0,n,a)}return r}return Bt(e,t),e.prototype.addCues=function(t,e,i,r){for(var n=this.cueRanges,a=!1,o=n.length;o--;){var s=n[o],l=Gt(s[0],s[1],e,i);if(l>=0&&(s[0]=Math.min(s[0],e),s[1]=Math.max(s[1],i),a=!0,l/(i-e)>.5))return}a||n.push([e,i]),this.Cues.newCue(this.captionsTracks[t],e,i,r)},e.prototype.onInitPtsFound=function(t){var e=this;void 0===this.initPTS&&(this.initPTS=t.initPTS),this.unparsedVttFrags.length&&(this.unparsedVttFrags.forEach(function(t){e.onFragLoaded(t)}),this.unparsedVttFrags=[])},e.prototype.getExistingTrack=function(t){var e=this.media;if(e)for(var i=0;i<e.textTracks.length;i++){var r=e.textTracks[i];if(r[t])return r}return null},e.prototype.createCaptionsTrack=function(t){var e=this.captionsProperties[t],i=e.label,r=e.languageCode,n=this.captionsTracks;if(!n[t]){var a=this.getExistingTrack(t);if(a)n[t]=a,et(n[t]),tt(n[t],this.media);else{var o=this.createTextTrack("captions",i,r);o&&(o[t]=!0,n[t]=o)}}},e.prototype.createTextTrack=function(t,e,i){var r=this.media;if(r)return r.addTextTrack(t,e,i)},e.prototype.destroy=function(){le.prototype.destroy.call(this)},e.prototype.onMediaAttaching=function(t){this.media=t.media,this._cleanTracks()},e.prototype.onMediaDetaching=function(){var t=this.captionsTracks;Object.keys(t).forEach(function(e){et(t[e]),delete t[e]})},e.prototype.onManifestLoading=function(){this.lastSn=-1,this.prevCC=-1,this.vttCCs={ccOffset:0,presentationOffset:0},this._cleanTracks()},e.prototype._cleanTracks=function(){var t=this.media;if(t){var e=t.textTracks;if(e)for(var i=0;i<e.length;i++)et(e[i])}},e.prototype.onManifestLoaded=function(t){var e=this;if(this.textTracks=[],this.unparsedVttFrags=this.unparsedVttFrags||[],this.initPTS=void 0,this.cueRanges=[],this.config.enableWebVTT){this.tracks=t.subtitles||[];var i=this.media?this.media.textTracks:[];this.tracks.forEach(function(t,r){var n=void 0;if(r<i.length){var a=i[r];Ut(a,t)&&(n=a)}n||(n=e.createTextTrack("subtitles",t.name,t.lang)),t.default?n.mode=e.hls.subtitleDisplay?"showing":"hidden":n.mode="disabled",e.textTracks.push(n)})}},e.prototype.onLevelSwitching=function(){this.enabled="NONE"!==this.hls.currentLevel.closedCaptions},e.prototype.onFragLoaded=function(t){var e=t.frag,i=t.payload;if("main"===e.type){var r=e.sn;if(r!==this.lastSn+1){var n=this.cea608Parser;n&&n.reset()}this.lastSn=r}else if("subtitle"===e.type)if(i.byteLength){if(void 0===this.initPTS)return void this.unparsedVttFrags.push(t);var a=e.decryptdata;null!=a&&null!=a.key&&"AES-128"===a.method||this._parseVTTs(e,i)}else this.hls.trigger(re.a.SUBTITLE_FRAG_PROCESSED,{success:!1,frag:e})},e.prototype._parseVTTs=function(t,e){var i=this.vttCCs;i[t.cc]||(i[t.cc]={start:t.start,prevCC:this.prevCC,new:!0},this.prevCC=t.cc);var r=this.textTracks,n=this.hls;Or.parse(e,this.initPTS,i,t.cc,function(e){var i=r[t.trackId];if("disabled"===i.mode)return void n.trigger(re.a.SUBTITLE_FRAG_PROCESSED,{success:!1,frag:t});e.forEach(function(t){if(!i.cues.getCueById(t.id))try{i.addCue(t)}catch(r){var e=new window.TextTrackCue(t.startTime,t.endTime,t.text);e.id=t.id,i.addCue(e)}}),n.trigger(re.a.SUBTITLE_FRAG_PROCESSED,{success:!0,frag:t})},function(e){ne.b.log("Failed to parse VTT cue: "+e),n.trigger(re.a.SUBTITLE_FRAG_PROCESSED,{success:!1,frag:t})})},e.prototype.onFragDecrypted=function(t){var e=t.payload,i=t.frag;if("subtitle"===i.type){if(void 0===this.initPTS)return void this.unparsedVttFrags.push(t);this._parseVTTs(i,e)}},e.prototype.onFragParsingUserdata=function(t){if(this.enabled&&this.config.enableCEA708Captions)for(var e=0;e<t.samples.length;e++){var i=this.extractCea608Data(t.samples[e].bytes);this.cea608Parser.addData(t.samples[e].pts,i)}},e.prototype.extractCea608Data=function(t){for(var e=31&t[0],i=2,r=void 0,n=void 0,a=void 0,o=void 0,s=void 0,l=[],u=0;u<e;u++)r=t[i++],n=127&t[i++],a=127&t[i++],o=0!=(4&r),s=3&r,0===n&&0===a||o&&0===s&&(l.push(n),l.push(a));return l},e}(le),Pr=Dr,xr=function(){function t(t,e){for(var i=0;i<e.length;i++){var r=e[i];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(t,r.key,r)}}return function(e,i,r){return i&&t(e.prototype,i),r&&t(e,r),e}}(),Mr=function(t){function e(i){Kt(this,e);var r=jt(this,t.call(this,i,re.a.MEDIA_ATTACHED,re.a.MEDIA_DETACHING,re.a.MANIFEST_LOADING,re.a.MANIFEST_LOADED,re.a.SUBTITLE_TRACK_LOADED));return r.tracks=[],r.trackId=-1,r.media=null,r.subtitleDisplay=!0,r}return Vt(e,t),e.prototype._onTextTracksChanged=function(){if(this.media){for(var t=-1,e=Yt(this.media.textTracks),i=0;i<e.length;i++)if("hidden"===e[i].mode)t=i;else if("showing"===e[i].mode){t=i;break}this.subtitleTrack=t}},e.prototype.destroy=function(){le.prototype.destroy.call(this)},e.prototype.onMediaAttached=function(t){var e=this;this.media=t.media,this.media&&(this.queuedDefaultTrack&&(this.subtitleTrack=this.queuedDefaultTrack,delete this.queuedDefaultTrack),this.trackChangeListener=this._onTextTracksChanged.bind(this),this.useTextTrackPolling=!(this.media.textTracks&&"onchange"in this.media.textTracks),this.useTextTrackPolling?this.subtitlePollingInterval=setInterval(function(){e.trackChangeListener()},500):this.media.textTracks.addEventListener("change",this.trackChangeListener))},e.prototype.onMediaDetaching=function(){this.media&&(this.useTextTrackPolling?clearInterval(this.subtitlePollingInterval):this.media.textTracks.removeEventListener("change",this.trackChangeListener),this.media=null)},e.prototype.onManifestLoading=function(){this.tracks=[],this.trackId=-1},e.prototype.onManifestLoaded=function(t){var e=this,i=t.subtitles||[];this.tracks=i,this.trackId=-1,this.hls.trigger(re.a.SUBTITLE_TRACKS_UPDATED,{subtitleTracks:i}),i.forEach(function(t){t.default&&(e.media?e.subtitleTrack=t.id:e.queuedDefaultTrack=t.id)})},e.prototype.onTick=function(){var t=this.trackId,e=this.tracks[t];if(e){var i=e.details;i&&!i.live||(ne.b.log("(re)loading playlist for subtitle track "+t),this.hls.trigger(re.a.SUBTITLE_TRACK_LOADING,{url:e.url,id:t}))}},e.prototype.onSubtitleTrackLoaded=function(t){var e=this;t.id<this.tracks.length&&(ne.b.log("subtitle track "+t.id+" loaded"),this.tracks[t.id].details=t.details,t.details.live&&!this.timer&&(this.timer=setInterval(function(){e.onTick()},1e3*t.details.targetduration,this)),!t.details.live&&this.timer&&this._stopTimer())},e.prototype.setSubtitleTrackInternal=function(t){var e=this.hls,i=this.tracks;if(!("number"!=typeof t||t<-1||t>=i.length)&&(this._stopTimer(),this.trackId=t,ne.b.log("switching to subtitle track "+t),e.trigger(re.a.SUBTITLE_TRACK_SWITCH,{id:t}),-1!==t)){var r=i[t],n=r.details;n&&!n.live||(ne.b.log("(re)loading playlist for subtitle track "+t),e.trigger(re.a.SUBTITLE_TRACK_LOADING,{url:r.url,id:t}))}},e.prototype._stopTimer=function(){this.timer&&(clearInterval(this.timer),this.timer=null)},e.prototype._toggleTrackModes=function(t){var e=this.media,i=this.subtitleDisplay,r=this.trackId;if(e){var n=Yt(e.textTracks);if(-1===t)[].slice.call(n).forEach(function(t){t.mode="disabled"});else{var a=n[r];a&&(a.mode="disabled")}var o=n[t];o&&(o.mode=i?"showing":"hidden")}},xr(e,[{key:"subtitleTracks",get:function(){return this.tracks}},{key:"subtitleTrack",get:function(){return this.trackId},set:function(t){this.trackId!==t&&(this._toggleTrackModes(t),this.setSubtitleTrackInternal(t))}}]),e}(le),Nr=Mr,Fr=i(8),Br=window,Ur=Br.performance,Gr={STOPPED:"STOPPED",IDLE:"IDLE",KEY_LOADING:"KEY_LOADING",FRAG_LOADING:"FRAG_LOADING"},Kr=function(t){function e(i){Ht(this,e);var r=$t(this,t.call(this,i,re.a.MEDIA_ATTACHED,re.a.ERROR,re.a.KEY_LOADED,re.a.FRAG_LOADED,re.a.SUBTITLE_TRACKS_UPDATED,re.a.SUBTITLE_TRACK_SWITCH,re.a.SUBTITLE_TRACK_LOADED,re.a.SUBTITLE_FRAG_PROCESSED));return r.config=i.config,r.vttFragSNsProcessed={},r.vttFragQueues=void 0,r.currentlyProcessing=null,r.state=Gr.STOPPED,r.currentTrackId=-1,r.decrypter=new Fr.a(i.observer,i.config),r}return Wt(e,t),e.prototype.onHandlerDestroyed=function(){this.state=Gr.STOPPED},e.prototype.clearVttFragQueues=function(){var t=this;this.vttFragQueues={},this.tracks.forEach(function(e){t.vttFragQueues[e.id]=[]})},e.prototype.nextFrag=function(){if(null===this.currentlyProcessing&&this.currentTrackId>-1&&this.vttFragQueues[this.currentTrackId].length){var t=this.currentlyProcessing=this.vttFragQueues[this.currentTrackId].shift();this.fragCurrent=t,this.hls.trigger(re.a.FRAG_LOADING,{frag:t}),this.state=Gr.FRAG_LOADING}},e.prototype.onSubtitleFragProcessed=function(t){t.success&&this.vttFragSNsProcessed[t.frag.trackId].push(t.frag.sn),this.currentlyProcessing=null,this.state=Gr.IDLE,this.nextFrag()},e.prototype.onMediaAttached=function(){this.state=Gr.IDLE},e.prototype.onError=function(t){var e=t.frag;e&&"subtitle"!==e.type||this.currentlyProcessing&&(this.currentlyProcessing=null,this.nextFrag())},e.prototype.doTick=function(){var t=this;switch(this.state){case Gr.IDLE:var e=this.tracks,i=this.currentTrackId,r=this.vttFragSNsProcessed[i],n=this.vttFragQueues[i],a=this.currentlyProcessing?this.currentlyProcessing.sn:-1,o=function(t){return r.indexOf(t.sn)>-1},s=function(t){return n.some(function(e){return e.sn===t.sn})};if(!e)break;var l;if(i<e.length&&(l=e[i].details),void 0===l)break;l.fragments.forEach(function(e){o(e)||e.sn===a||s(e)||(e.encrypted?(ne.b.log("Loading key for "+e.sn),t.state=Gr.KEY_LOADING,t.hls.trigger(re.a.KEY_LOADING,{frag:e})):(e.trackId=i,n.push(e),t.nextFrag()))})}},e.prototype.onSubtitleTracksUpdated=function(t){var e=this;ne.b.log("subtitle tracks updated"),this.tracks=t.subtitleTracks,this.clearVttFragQueues(),this.vttFragSNsProcessed={},this.tracks.forEach(function(t){e.vttFragSNsProcessed[t.id]=[]})},e.prototype.onSubtitleTrackSwitch=function(t){if(this.currentTrackId=t.id,this.tracks&&-1!==this.currentTrackId){var e=this.tracks[this.currentTrackId];e&&e.details&&this.tick()}},e.prototype.onSubtitleTrackLoaded=function(){this.tick()},e.prototype.onKeyLoaded=function(){this.state===Gr.KEY_LOADING&&(this.state=Gr.IDLE,this.tick())},e.prototype.onFragLoaded=function(t){var e=this.fragCurrent,i=t.frag.decryptdata,r=t.frag,n=this.hls;if(this.state===Gr.FRAG_LOADING&&e&&"subtitle"===t.frag.type&&e.sn===t.frag.sn&&t.payload.byteLength>0&&null!=i&&null!=i.key&&"AES-128"===i.method){var a=void 0;try{a=Ur.now()}catch(t){a=Date.now()}this.decrypter.decrypt(t.payload,i.key.buffer,i.iv.buffer,function(t){var e=void 0;try{e=Ur.now()}catch(t){e=Date.now()}n.trigger(re.a.FRAG_DECRYPTED,{frag:r,payload:t,stats:{tstart:a,tdecrypt:e}})})}},e}(oi),jr=Kr,Vr=function(){function t(t,e){for(var i=0;i<e.length;i++){var r=e[i];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(t,r.key,r)}}return function(e,i,r){return i&&t(e.prototype,i),r&&t(e,r),e}}(),Yr=window,Hr=Yr.XMLHttpRequest,$r={WIDEVINE:"com.widevine.alpha",PLAYREADY:"com.microsoft.playready"},Wr=function(t,e,i){var r={videoCapabilities:[]};return e.forEach(function(t){r.videoCapabilities.push({contentType:'video/mp4; codecs="'+t+'"'})}),[r]},zr=function(t,e,i){switch(t){case $r.WIDEVINE:return Wr(0,i);default:throw Error("Unknown key-system: "+t)}},qr=function(t){function e(i){zt(this,e);var r=qt(this,t.call(this,i,re.a.MEDIA_ATTACHED,re.a.MANIFEST_PARSED));return r._widevineLicenseUrl=i.config.widevineLicenseUrl,r._licenseXhrSetup=i.config.licenseXhrSetup,r._emeEnabled=i.config.emeEnabled,r._requestMediaKeySystemAccess=i.config.requestMediaKeySystemAccessFunc,r._mediaKeysList=[],r._media=null,r._hasSetMediaKeys=!1,r._isMediaEncrypted=!1,r._requestLicenseFailureCount=0,r}return Xt(e,t),e.prototype.getLicenseServerUrl=function(t){var e=void 0;switch(t){case $r.WIDEVINE:e=this._widevineLicenseUrl;break;default:e=null}return e||(ne.b.error('No license server URL configured for key-system "'+t+'"'),this.hls.trigger(re.a.ERROR,{type:ee.b.KEY_SYSTEM_ERROR,details:ee.a.KEY_SYSTEM_LICENSE_REQUEST_FAILED,fatal:!0})),e},e.prototype._attemptKeySystemAccess=function(t,e,i){var r=this,n=zr(t,0,i);if(!n)return void ne.b.warn("Can not create config for key-system (maybe because platform is not supported):",t);ne.b.log("Requesting encrypted media key-system access"),this.requestMediaKeySystemAccess(t,n).then(function(e){r._onMediaKeySystemAccessObtained(t,e)}).catch(function(e){ne.b.error('Failed to obtain key-system "'+t+'" access:',e)})},e.prototype._onMediaKeySystemAccessObtained=function(t,e){var i=this;ne.b.log('Access for key-system "'+t+'" obtained');var r={mediaKeys:null,mediaKeysSession:null,mediaKeysSessionInitialized:!1,mediaKeySystemAccess:e,mediaKeySystemDomain:t};this._mediaKeysList.push(r),e.createMediaKeys().then(function(e){r.mediaKeys=e,ne.b.log('Media-keys created for key-system "'+t+'"'),i._onMediaKeysCreated()}).catch(function(t){ne.b.error("Failed to create media-keys:",t)})},e.prototype._onMediaKeysCreated=function(){var t=this;this._mediaKeysList.forEach(function(e){e.mediaKeysSession||(e.mediaKeysSession=e.mediaKeys.createSession(),t._onNewMediaKeySession(e.mediaKeysSession))})},e.prototype._onNewMediaKeySession=function(t){var e=this;ne.b.log("New key-system session "+t.sessionId),t.addEventListener("message",function(i){e._onKeySessionMessage(t,i.message)},!1)},e.prototype._onKeySessionMessage=function(t,e){ne.b.log("Got EME message event, creating license request"),this._requestLicense(e,function(e){ne.b.log("Received license data, updating key-session"),t.update(e)})},e.prototype._onMediaEncrypted=function(t,e){ne.b.log('Media is encrypted using "'+t+'" init data type'),this._isMediaEncrypted=!0,this._mediaEncryptionInitDataType=t,this._mediaEncryptionInitData=e,this._attemptSetMediaKeys(),this._generateRequestWithPreferredKeySession()},e.prototype._attemptSetMediaKeys=function(){if(!this._hasSetMediaKeys){var t=this._mediaKeysList[0];if(!t||!t.mediaKeys)return ne.b.error("Fatal: Media is encrypted but no CDM access or no keys have been obtained yet"),void this.hls.trigger(re.a.ERROR,{type:ee.b.KEY_SYSTEM_ERROR,details:ee.a.KEY_SYSTEM_NO_KEYS,fatal:!0});ne.b.log("Setting keys for encrypted media"),this._media.setMediaKeys(t.mediaKeys),this._hasSetMediaKeys=!0}},e.prototype._generateRequestWithPreferredKeySession=function(){var t=this,e=this._mediaKeysList[0];if(!e)return ne.b.error("Fatal: Media is encrypted but not any key-system access has been obtained yet"),void this.hls.trigger(re.a.ERROR,{type:ee.b.KEY_SYSTEM_ERROR,details:ee.a.KEY_SYSTEM_NO_ACCESS,fatal:!0});if(e.mediaKeysSessionInitialized)return void ne.b.warn("Key-Session already initialized but requested again");var i=e.mediaKeysSession;i||(ne.b.error("Fatal: Media is encrypted but no key-session existing"),this.hls.trigger(re.a.ERROR,{type:ee.b.KEY_SYSTEM_ERROR,details:ee.a.KEY_SYSTEM_NO_SESSION,fatal:!0}));var r=this._mediaEncryptionInitDataType,n=this._mediaEncryptionInitData;ne.b.log('Generating key-session request for "'+r+'" init data type'),e.mediaKeysSessionInitialized=!0,i.generateRequest(r,n).then(function(){ne.b.debug("Key-session generation succeeded")}).catch(function(e){ne.b.error("Error generating key-session request:",e),t.hls.trigger(re.a.ERROR,{type:ee.b.KEY_SYSTEM_ERROR,details:ee.a.KEY_SYSTEM_NO_SESSION,fatal:!1})})},e.prototype._createLicenseXhr=function(t,e,i){var r=new Hr,n=this._licenseXhrSetup;try{if(n)try{n(r,t)}catch(e){r.open("POST",t,!0),n(r,t)}r.readyState||r.open("POST",t,!0)}catch(t){return ne.b.error("Error setting up key-system license XHR",t),void this.hls.trigger(re.a.ERROR,{type:ee.b.KEY_SYSTEM_ERROR,details:ee.a.KEY_SYSTEM_LICENSE_REQUEST_FAILED,fatal:!0})}return r.responseType="arraybuffer",r.onreadystatechange=this._onLicenseRequestReadyStageChange.bind(this,r,t,e,i),r},e.prototype._onLicenseRequestReadyStageChange=function(t,e,i,r){switch(t.readyState){case 4:if(200===t.status)this._requestLicenseFailureCount=0,ne.b.log("License request succeeded"),r(t.response);else{if(ne.b.error("License Request XHR failed ("+e+"). Status: "+t.status+" ("+t.statusText+")"),++this._requestLicenseFailureCount<=3){var n=3-this._requestLicenseFailureCount+1;return ne.b.warn("Retrying license request, "+n+" attempts left"),void this._requestLicense(i,r)}this.hls.trigger(re.a.ERROR,{type:ee.b.KEY_SYSTEM_ERROR,details:ee.a.KEY_SYSTEM_LICENSE_REQUEST_FAILED,fatal:!0})}}},e.prototype._generateLicenseRequestChallenge=function(t,e){var i=void 0;return t.mediaKeySystemDomain===$r.PLAYREADY?ne.b.error("PlayReady is not supported (yet)"):t.mediaKeySystemDomain===$r.WIDEVINE?i=e:ne.b.error("Unsupported key-system:",t.mediaKeySystemDomain),i},e.prototype._requestLicense=function(t,e){ne.b.log("Requesting content license for key-system");var i=this._mediaKeysList[0];if(!i)return ne.b.error("Fatal error: Media is encrypted but no key-system access has been obtained yet"),void this.hls.trigger(re.a.ERROR,{type:ee.b.KEY_SYSTEM_ERROR,details:ee.a.KEY_SYSTEM_NO_ACCESS,fatal:!0});var r=this.getLicenseServerUrl(i.mediaKeySystemDomain),n=this._createLicenseXhr(r,t,e);ne.b.log("Sending license request to URL: "+r),n.send(this._generateLicenseRequestChallenge(i,t))},e.prototype.onMediaAttached=function(t){var e=this;if(this._emeEnabled){var i=t.media;this._media=i,i.addEventListener("encrypted",function(t){e._onMediaEncrypted(t.initDataType,t.initData)})}},e.prototype.onManifestParsed=function(t){if(this._emeEnabled){var e=t.levels.map(function(t){return t.audioCodec}),i=t.levels.map(function(t){return t.videoCodec});this._attemptKeySystemAccess($r.WIDEVINE,e,i)}},Vr(e,[{key:"requestMediaKeySystemAccess",get:function(){if(!this._requestMediaKeySystemAccess)throw new Error("No requestMediaKeySystemAccess function configured");return this._requestMediaKeySystemAccess}}]),e}(le),Xr=qr,Zr=function(){return"undefined"!=typeof window&&window.navigator&&window.navigator.requestMediaKeySystemAccess?window.navigator.requestMediaKeySystemAccess.bind(window.navigator):null}(),Qr={autoStartLoad:!0,startPosition:-1,defaultAudioCodec:void 0,debug:!1,capLevelOnFPSDrop:!1,capLevelToPlayerSize:!1,initialLiveManifestSize:1,maxBufferLength:30,maxBufferSize:6e7,maxBufferHole:.5,lowBufferWatchdogPeriod:.5,highBufferWatchdogPeriod:3,nudgeOffset:.1,nudgeMaxRetry:3,maxFragLookUpTolerance:.25,liveSyncDurationCount:3,liveMaxLatencyDurationCount:1/0,liveSyncDuration:void 0,liveMaxLatencyDuration:void 0,liveDurationInfinity:!1,maxMaxBufferLength:600,enableWorker:!0,enableSoftwareAES:!0,manifestLoadingTimeOut:1e4,manifestLoadingMaxRetry:1,manifestLoadingRetryDelay:1e3,manifestLoadingMaxRetryTimeout:64e3,startLevel:void 0,levelLoadingTimeOut:1e4,levelLoadingMaxRetry:4,levelLoadingRetryDelay:1e3,levelLoadingMaxRetryTimeout:64e3,fragLoadingTimeOut:2e4,fragLoadingMaxRetry:6,fragLoadingRetryDelay:1e3,fragLoadingMaxRetryTimeout:64e3,startFragPrefetch:!1,fpsDroppedMonitoringPeriod:5e3,fpsDroppedMonitoringThreshold:.2,appendErrorMaxRetry:3,loader:Hi,fLoader:void 0,pLoader:void 0,xhrSetup:void 0,licenseXhrSetup:void 0,abrController:Ii,bufferController:Pi,capLevelController:Ni,fpsController:Gi,stretchShortVideoTrack:!1,maxAudioFramesDrift:1,forceKeyFrameOnDiscontinuity:!0,abrEwmaFastLive:3,abrEwmaSlowLive:9,abrEwmaFastVoD:3,abrEwmaSlowVoD:9,abrEwmaDefaultEstimate:5e5,abrBandWidthFactor:.95,abrBandWidthUpFactor:.7,abrMaxWithRealBitrate:!1,maxStarvationDelay:4,maxLoadingDelay:4,minAutoBitrate:0,emeEnabled:!1,widevineLicenseUrl:void 0,requestMediaKeySystemAccessFunc:Zr};Qr.subtitleStreamController=jr,Qr.subtitleTrackController=Nr,Qr.timelineController=Pr,Qr.cueHandler=Qt,Qr.enableCEA708Captions=!0,Qr.enableWebVTT=!0,Qr.captionsTextTrack1Label="English",Qr.captionsTextTrack1LanguageCode="en",Qr.captionsTextTrack2Label="Spanish",Qr.captionsTextTrack2LanguageCode="es",Qr.audioStreamController=tr,Qr.audioTrackController=zi,Qr.emeController=Xr;var Jr=function(){function t(t,e){for(var i=0;i<e.length;i++){var r=e[i];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(t,r.key,r)}}return function(e,i,r){return i&&t(e.prototype,i),r&&t(e,r),e}}();i(14);var tn=function(){function t(){var e=this,i=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};Zt(this,t);var r=t.DefaultConfig;if((i.liveSyncDurationCount||i.liveMaxLatencyDurationCount)&&(i.liveSyncDuration||i.liveMaxLatencyDuration))throw new Error("Illegal hls.js config: don't mix up liveSyncDurationCount/liveMaxLatencyDurationCount and liveSyncDuration/liveMaxLatencyDuration");for(var n in r)n in i||(i[n]=r[n]);if(void 0!==i.liveMaxLatencyDurationCount&&i.liveMaxLatencyDurationCount<=i.liveSyncDurationCount)throw new Error('Illegal hls.js config: "liveMaxLatencyDurationCount" must be gt "liveSyncDurationCount"');if(void 0!==i.liveMaxLatencyDuration&&(i.liveMaxLatencyDuration<=i.liveSyncDuration||void 0===i.liveSyncDuration))throw new Error('Illegal hls.js config: "liveMaxLatencyDuration" must be gt "liveSyncDuration"');Object(ne.a)(i.debug),this.config=i,this._autoLevelCapping=-1;var a=this.observer=new ze.a;a.trigger=function(t){for(var e=arguments.length,i=Array(e>1?e-1:0),r=1;r<e;r++)i[r-1]=arguments[r];a.emit.apply(a,[t,t].concat(i))},a.off=function(t){for(var e=arguments.length,i=Array(e>1?e-1:0),r=1;r<e;r++)i[r-1]=arguments[r];a.removeListener.apply(a,[t].concat(i))},this.on=a.on.bind(a),this.off=a.off.bind(a),this.once=a.once.bind(a),this.trigger=a.trigger.bind(a);var o=this.abrController=new i.abrController(this),s=new i.bufferController(this),l=new i.capLevelController(this),u=new i.fpsController(this),c=new Fe(this),d=new Ue(this),h=new Ke(this),f=new _i(this),p=this.levelController=new mi(this),g=new Ve(this),y=this.streamController=new hi(this,g),v=[p,y],m=i.audioStreamController;m&&v.push(new m(this,g)),this.networkControllers=v;var A=[c,d,h,o,s,l,u,f,g];if(m=i.audioTrackController){var b=new m(this);this.audioTrackController=b,A.push(b)}if(m=i.subtitleTrackController){var _=new m(this);this.subtitleTrackController=_,A.push(_)}if(m=i.emeController){var E=new m(this);this.emeController=E,A.push(E)}[i.subtitleStreamController,i.timelineController].forEach(function(t){t&&A.push(new t(e))}),this.coreComponents=A}return t.isSupported=function(){return at()},Jr(t,null,[{key:"version",get:function(){return"0.11.0"}},{key:"Events",get:function(){return re.a}},{key:"ErrorTypes",get:function(){return ee.b}},{key:"ErrorDetails",get:function(){return ee.a}},{key:"DefaultConfig",get:function(){return t.defaultConfig?t.defaultConfig:Qr},set:function(e){t.defaultConfig=e}}]),t.prototype.destroy=function(){ne.b.log("destroy"),this.trigger(re.a.DESTROYING),this.detachMedia(),this.coreComponents.concat(this.networkControllers).forEach(function(t){t.destroy()}),this.url=null,this.observer.removeAllListeners(),this._autoLevelCapping=-1},t.prototype.attachMedia=function(t){ne.b.log("attachMedia"),this.media=t,this.trigger(re.a.MEDIA_ATTACHING,{media:t})},t.prototype.detachMedia=function(){ne.b.log("detachMedia"),this.trigger(re.a.MEDIA_DETACHING),this.media=null},t.prototype.loadSource=function(t){t=te.a.buildAbsoluteURL(window.location.href,t,{alwaysNormalize:!0}),ne.b.log("loadSource:"+t),this.url=t,this.trigger(re.a.MANIFEST_LOADING,{url:t})},t.prototype.startLoad=function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:-1;ne.b.log("startLoad("+t+")"),this.networkControllers.forEach(function(e){e.startLoad(t)})},t.prototype.stopLoad=function(){ne.b.log("stopLoad"),this.networkControllers.forEach(function(t){t.stopLoad()})},t.prototype.swapAudioCodec=function(){ne.b.log("swapAudioCodec"),this.streamController.swapAudioCodec()},t.prototype.recoverMediaError=function(){ne.b.log("recoverMediaError");var t=this.media;this.detachMedia(),this.attachMedia(t)},Jr(t,[{key:"levels",get:function(){return this.levelController.levels}},{key:"currentLevel",get:function(){return this.streamController.currentLevel},set:function(t){ne.b.log("set currentLevel:"+t),this.loadLevel=t,this.streamController.immediateLevelSwitch()}},{key:"nextLevel",get:function(){return this.streamController.nextLevel},set:function(t){ne.b.log("set nextLevel:"+t),this.levelController.manualLevel=t,this.streamController.nextLevelSwitch()}},{key:"loadLevel",get:function(){return this.levelController.level},set:function(t){ne.b.log("set loadLevel:"+t),this.levelController.manualLevel=t}},{key:"nextLoadLevel",get:function(){return this.levelController.nextLoadLevel},set:function(t){this.levelController.nextLoadLevel=t}},{key:"firstLevel",get:function(){return Math.max(this.levelController.firstLevel,this.minAutoLevel)},set:function(t){ne.b.log("set firstLevel:"+t),this.levelController.firstLevel=t}},{key:"startLevel",get:function(){return this.levelController.startLevel},set:function(t){ne.b.log("set startLevel:"+t);var e=this;-1!==t&&(t=Math.max(t,e.minAutoLevel)),e.levelController.startLevel=t}},{key:"autoLevelCapping",get:function(){return this._autoLevelCapping},set:function(t){ne.b.log("set autoLevelCapping:"+t),this._autoLevelCapping=t}},{key:"autoLevelEnabled",get:function(){return-1===this.levelController.manualLevel}},{key:"manualLevel",get:function(){return this.levelController.manualLevel}},{key:"minAutoLevel",get:function(){for(var t=this,e=t.levels,i=t.config.minAutoBitrate,r=e?e.length:0,n=0;n<r;n++){if((e[n].realBitrate?Math.max(e[n].realBitrate,e[n].bitrate):e[n].bitrate)>i)return n}return 0}},{key:"maxAutoLevel",get:function(){var t=this,e=t.levels,i=t.autoLevelCapping;return-1===i&&e&&e.length?e.length-1:i}},{key:"nextAutoLevel",get:function(){var t=this;return Math.min(Math.max(t.abrController.nextAutoLevel,t.minAutoLevel),t.maxAutoLevel)},set:function(t){var e=this;e.abrController.nextAutoLevel=Math.max(e.minAutoLevel,t)}},{key:"audioTracks",get:function(){var t=this.audioTrackController;return t?t.audioTracks:[]}},{key:"audioTrack",get:function(){var t=this.audioTrackController;return t?t.audioTrack:-1},set:function(t){var e=this.audioTrackController;e&&(e.audioTrack=t)}},{key:"liveSyncPosition",get:function(){return this.streamController.liveSyncPosition}},{key:"subtitleTracks",get:function(){var t=this.subtitleTrackController;return t?t.subtitleTracks:[]}},{key:"subtitleTrack",get:function(){var t=this.subtitleTrackController;return t?t.subtitleTrack:-1},set:function(t){var e=this.subtitleTrackController;e&&(e.subtitleTrack=t)}},{key:"subtitleDisplay",get:function(){var t=this.subtitleTrackController;return!!t&&t.subtitleDisplay},set:function(t){var e=this.subtitleTrackController;e&&(e.subtitleDisplay=t)}}]),t}();e.default=tn},function(t,e,i){function r(t){function e(r){if(i[r])return i[r].exports;var n=i[r]={i:r,l:!1,exports:{}};return t[r].call(n.exports,n,n.exports,e),n.l=!0,n.exports}var i={};e.m=t,e.c=i,e.i=function(t){return t},e.d=function(t,i,r){e.o(t,i)||Object.defineProperty(t,i,{configurable:!1,enumerable:!0,get:r})},e.n=function(t){var i=t&&t.__esModule?function(){return t.default}:function(){return t};return e.d(i,"a",i),i},e.o=function(t,e){return Object.prototype.hasOwnProperty.call(t,e)},e.p="/",e.oe=function(t){throw console.error(t),t};var r=e(e.s=ENTRY_MODULE);return r.default||r}function n(t){return(t+"").replace(/[.?*+^$[\]\\(){}|-]/g,"\\$&")}function a(t,e,r){var a={};a[r]=[];var o=e.toString(),s=o.match(/^function\s?\(\w+,\s*\w+,\s*(\w+)\)/);if(!s)return a;for(var c,d=s[1],h=new RegExp("(\\\\n|\\W)"+n(d)+u,"g");c=h.exec(o);)"dll-reference"!==c[3]&&a[r].push(c[3]);for(h=new RegExp("\\("+n(d)+'\\("(dll-reference\\s('+l+'))"\\)\\)'+u,"g");c=h.exec(o);)t[c[2]]||(a[r].push(c[1]),t[c[2]]=i(c[1]).m),a[c[2]]=a[c[2]]||[],a[c[2]].push(c[4]);return a}function o(t){return Object.keys(t).reduce(function(e,i){return e||t[i].length>0},!1)}function s(t,e){for(var i={main:[e]},r={main:[]},n={main:{}};o(i);)for(var s=Object.keys(i),l=0;l<s.length;l++){var u=s[l],c=i[u],d=c.pop();if(n[u]=n[u]||{},!n[u][d]&&t[u][d]){n[u][d]=!0,r[u]=r[u]||[],r[u].push(d);for(var h=a(t,t[u][d],u),f=Object.keys(h),p=0;p<f.length;p++)i[f[p]]=i[f[p]]||[],i[f[p]]=i[f[p]].concat(h[f[p]])}}return r}var l="[\\.|\\-|\\+|\\w|/|@]+",u="\\((/\\*.*?\\*/)?s?.*?("+l+").*?\\)";t.exports=function(t,e){e=e||{};var n={main:i.m},a=e.all?{main:Object.keys(n)}:s(n,t),o="";Object.keys(a).filter(function(t){return"main"!==t}).forEach(function(t){for(var e=0;a[t][e];)e++;a[t].push(e),n[t][e]="(function(module, exports, __webpack_require__) { module.exports = __webpack_require__; })",o=o+"var "+t+" = ("+r.toString().replace("ENTRY_MODULE",JSON.stringify(e))+")({"+a[t].map(function(e){return JSON.stringify(e)+": "+n[t][e].toString()}).join(",")+"});\n"}),o=o+"("+r.toString().replace("ENTRY_MODULE",JSON.stringify(t))+")({"+a.main.map(function(t){return JSON.stringify(t)+": "+n.main[t].toString()}).join(",")+"})(self);";var l=new window.Blob([o],{type:"text/javascript"});if(e.bare)return l;var u=window.URL||window.webkitURL||window.mozURL||window.msURL,c=u.createObjectURL(l),d=new window.Worker(c);return d.objectURL=c,d}},function(t,e,i){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r=i(10),n=i(1),a=i(0),o=i(7),s=i.n(o),l=function(t){var e=new s.a;e.trigger=function(t){for(var i=arguments.length,r=Array(i>1?i-1:0),n=1;n<i;n++)r[n-1]=arguments[n];e.emit.apply(e,[t,t].concat(r))},e.off=function(t){for(var i=arguments.length,r=Array(i>1?i-1:0),n=1;n<i;n++)r[n-1]=arguments[n];e.removeListener.apply(e,[t].concat(r))};var i=function(e,i){t.postMessage({event:e,data:i})};t.addEventListener("message",function(n){var o=n.data;switch(o.cmd){case"init":var s=JSON.parse(o.config);t.demuxer=new r.a(e,o.typeSupported,s,o.vendor);try{Object(a.a)(!0===s.debug)}catch(t){console.warn("demuxerWorker: unable to enable logs")}i("init",null);break;case"demux":t.demuxer.push(o.data,o.decryptdata,o.initSegment,o.audioCodec,o.videoCodec,o.timeOffset,o.discontinuity,o.trackSwitch,o.contiguous,o.duration,o.accurateTimeOffset,o.defaultInitPTS)}}),e.on(n.a.FRAG_DECRYPTED,i),e.on(n.a.FRAG_PARSING_INIT_SEGMENT,i),e.on(n.a.FRAG_PARSED,i),e.on(n.a.ERROR,i),e.on(n.a.FRAG_PARSING_METADATA,i),e.on(n.a.FRAG_PARSING_USERDATA,i),e.on(n.a.INIT_PTS_FOUND,i),e.on(n.a.FRAG_PARSING_DATA,function(e,i){var r=[],n={event:e,data:i};i.data1&&(n.data1=i.data1.buffer,r.push(i.data1.buffer),delete i.data1),i.data2&&(n.data2=i.data2.buffer,r.push(i.data2.buffer),delete i.data2),t.postMessage(n,r)})};e.default=l},function(t,e){String.prototype.endsWith||function(){"use strict";var t=function(){try{var t={},e=Object.defineProperty,i=e(t,t,t)&&e}catch(t){}return i}(),e={}.toString,i=function(t){if(null==this)throw TypeError();var i=String(this);if(t&&"[object RegExp]"==e.call(t))throw TypeError();var r=i.length,n=String(t),a=n.length,o=r;if(arguments.length>1){var s=arguments[1];void 0!==s&&(o=s?Number(s):0)!=o&&(o=0)}var l=Math.min(Math.max(o,0),r),u=l-a;if(u<0)return!1;for(var c=-1;++c<a;)if(i.charCodeAt(u+c)!=n.charCodeAt(c))return!1;return!0};t?t(String.prototype,"endsWith",{value:i,configurable:!0,writable:!0}):String.prototype.endsWith=i}()}]).default})},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(0),a=r(n),o=i(1),s=r(o),l=i(3),u=r(l),c=i(2),d=r(c),h=i(10),f=r(h),p=i(4),g=r(p);i(190);var y=function(t){function e(i){(0,a.default)(this,e);var r=(0,s.default)(this,t.call(this,i));return r.el.src=i.src,r}return(0,d.default)(e,t),e.prototype.getPlaybackType=function(){return f.default.NO_OP},(0,u.default)(e,[{key:"name",get:function(){return"html_img"}},{key:"tagName",get:function(){return"img"}},{key:"attributes",get:function(){return{"data-html-img":""}}},{key:"events",get:function(){return{load:"_onLoad",abort:"_onError",error:"_onError"}}}]),e.prototype.render=function(){return this.trigger(g.default.PLAYBACK_READY,this.name),this},e.prototype._onLoad=function(){this.trigger(g.default.PLAYBACK_ENDED,this.name)},e.prototype._onError=function(t){var e="error"===t.type?"load error":"loading aborted";this.trigger(g.default.PLAYBACK_ERROR,{message:e},this.name)},e}(f.default);e.default=y,y.canPlay=function(t){return/\.(png|jpg|jpeg|gif|bmp|tiff|pgm|pnm|webp)(|\?.*)$/i.test(t)},t.exports=e.default},function(t,e,i){var r=i(191);"string"==typeof r&&(r=[[t.i,r,""]]);var n={singleton:!0,hmr:!0};n.transform=void 0,n.insertInto=void 0;i(9)(r,n);r.locals&&(t.exports=r.locals)},function(t,e,i){e=t.exports=i(8)(!1),e.push([t.i,"[data-html-img]{max-width:100%;max-height:100%}",""])},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(0),a=r(n),o=i(1),s=r(o),l=i(3),u=r(l),c=i(2),d=r(c),h=i(5),f=i(10),p=r(f),g=i(7),y=r(g),v=i(4),m=r(v),A=i(193),b=r(A);i(194);var _=function(t){function e(){(0,a.default)(this,e);for(var i=arguments.length,r=Array(i),n=0;n<i;n++)r[n]=arguments[n];var o=(0,s.default)(this,t.call.apply(t,[this].concat(r)));return o._noiseFrameNum=-1,o}return(0,d.default)(e,t),(0,u.default)(e,[{key:"name",get:function(){return"no_op"}},{key:"template",get:function(){return(0,y.default)(b.default)}},{key:"attributes",get:function(){return{"data-no-op":""}}}]),e.prototype.render=function(){var t=this.options.playbackNotSupportedMessage||this.i18n.t("playback_not_supported");this.$el.html(this.template({message:t})),this.trigger(m.default.PLAYBACK_READY,this.name);var e=!(!this.options.poster||!this.options.poster.showForNoOp);return!this.options.autoPlay&&e||this._animate(),this},e.prototype._noise=function(){if(this._noiseFrameNum=(this._noiseFrameNum+1)%5,!this._noiseFrameNum){var t=this.context.createImageData(this.context.canvas.width,this.context.canvas.height),e=void 0;try{e=new Uint32Array(t.data.buffer)}catch(n){e=new Uint32Array(this.context.canvas.width*this.context.canvas.height*4);for(var i=t.data,r=0;r<i.length;r++)e[r]=i[r]}for(var n=e.length,a=6*Math.random()+4,o=0,s=0,l=0;l<n;){if(o<0){o=a*Math.random();s=255*Math.pow(Math.random(),.4)<<24}o-=1,e[l++]=s}this.context.putImageData(t,0,0)}},e.prototype._loop=function(){var t=this;this._stop||(this._noise(),this._animationHandle=(0,h.requestAnimationFrame)(function(){return t._loop()}))},e.prototype.destroy=function(){this._animationHandle&&((0,h.cancelAnimationFrame)(this._animationHandle),this._stop=!0)},e.prototype._animate=function(){this.canvas=this.$el.find("canvas[data-no-op-canvas]")[0],this.context=this.canvas.getContext("2d"),this._loop()},e}(p.default);e.default=_,_.canPlay=function(t){return!0},t.exports=e.default},function(t,e){t.exports="<canvas data-no-op-canvas></canvas>\n<p data-no-op-msg><%=message%><p>\n"},function(t,e,i){var r=i(195);"string"==typeof r&&(r=[[t.i,r,""]]);var n={singleton:!0,hmr:!0};n.transform=void 0,n.insertInto=void 0;i(9)(r,n);r.locals&&(t.exports=r.locals)},function(t,e,i){e=t.exports=i(8)(!1),e.push([t.i,"[data-no-op]{position:absolute;height:100%;width:100%;text-align:center}[data-no-op] p[data-no-op-msg]{position:absolute;text-align:center;font-size:25px;left:0;right:0;color:#fff;padding:10px;top:50%;-webkit-transform:translateY(-50%);transform:translateY(-50%);max-height:100%;overflow:auto}[data-no-op] canvas[data-no-op-canvas]{background-color:#777;height:100%;width:100%}",""])},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(0),a=r(n),o=i(1),s=r(o),l=i(3),u=r(l),c=i(2),d=r(c),h=i(42),f=r(h),p=i(4),g=r(p),y=i(7),v=r(y),m=i(197),A=r(m);i(198);var b=function(t){function e(i){(0,a.default)(this,e);var r=(0,s.default)(this,t.call(this,i));return r.template=(0,v.default)(A.default),r.showTimeout=null,r.listenTo(r.container,g.default.CONTAINER_STATE_BUFFERING,r.onBuffering),r.listenTo(r.container,g.default.CONTAINER_STATE_BUFFERFULL,r.onBufferFull),r.listenTo(r.container,g.default.CONTAINER_STOP,r.onStop),r.listenTo(r.container,g.default.CONTAINER_ENDED,r.onStop),r.listenTo(r.container,g.default.CONTAINER_ERROR,r.onStop),r.render(),r}return(0,d.default)(e,t),(0,u.default)(e,[{key:"name",get:function(){return"spinner"}},{key:"attributes",get:function(){return{"data-spinner":"",class:"spinner-three-bounce"}}}]),e.prototype.onBuffering=function(){this.show()},e.prototype.onBufferFull=function(){this.hide()},e.prototype.onStop=function(){this.hide()},e.prototype.show=function(){var t=this;null===this.showTimeout&&(this.showTimeout=setTimeout(function(){return t.$el.show()},300))},e.prototype.hide=function(){null!==this.showTimeout&&(clearTimeout(this.showTimeout),this.showTimeout=null),this.$el.hide()},e.prototype.render=function(){return this.$el.html(this.template()),this.container.$el.append(this.$el),this.$el.hide(),this.container.buffering&&this.onBuffering(),this},e}(f.default);e.default=b,t.exports=e.default},function(t,e){t.exports="<div data-bounce1></div><div data-bounce2></div><div data-bounce3></div>\n"},function(t,e,i){var r=i(199);"string"==typeof r&&(r=[[t.i,r,""]]);var n={singleton:!0,hmr:!0};n.transform=void 0,n.insertInto=void 0;i(9)(r,n);r.locals&&(t.exports=r.locals)},function(t,e,i){e=t.exports=i(8)(!1),e.push([t.i,".spinner-three-bounce[data-spinner]{position:absolute;margin:0 auto;width:70px;text-align:center;z-index:999;left:0;right:0;margin-left:auto;margin-right:auto;top:50%;-webkit-transform:translateY(-50%);transform:translateY(-50%)}.spinner-three-bounce[data-spinner]>div{width:18px;height:18px;background-color:#fff;border-radius:100%;display:inline-block;-webkit-animation:bouncedelay 1.4s infinite ease-in-out;animation:bouncedelay 1.4s infinite ease-in-out;-webkit-animation-fill-mode:both;animation-fill-mode:both}.spinner-three-bounce[data-spinner] [data-bounce1]{-webkit-animation-delay:-.32s;animation-delay:-.32s}.spinner-three-bounce[data-spinner] [data-bounce2]{-webkit-animation-delay:-.16s;animation-delay:-.16s}@-webkit-keyframes bouncedelay{0%,80%,to{-webkit-transform:scale(0);transform:scale(0)}40%{-webkit-transform:scale(1);transform:scale(1)}}@keyframes bouncedelay{0%,80%,to{-webkit-transform:scale(0);transform:scale(0)}40%{-webkit-transform:scale(1);transform:scale(1)}}",""])},function(t,e,i){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r=i(201),n=function(t){return t&&t.__esModule?t:{default:t}}(r);e.default=n.default,t.exports=e.default},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(0),a=r(n),o=i(1),s=r(o),l=i(3),u=r(l),c=i(2),d=r(c),h=i(43),f=r(h),p=i(4),g=r(p),y=i(6),v=r(y),m=function(t){function e(i){(0,a.default)(this,e);var r=(0,s.default)(this,t.call(this,i));return r.setInitialAttrs(),r.reportInterval=r.options.reportInterval||5e3,r.state="IDLE",r}return(0,d.default)(e,t),(0,u.default)(e,[{key:"name",get:function(){return"stats"}}]),e.prototype.bindEvents=function(){this.listenTo(this.container.playback,g.default.PLAYBACK_PLAY,this.onPlay),this.listenTo(this.container,g.default.CONTAINER_STOP,this.onStop),this.listenTo(this.container,g.default.CONTAINER_ENDED,this.onStop),this.listenTo(this.container,g.default.CONTAINER_DESTROYED,this.onStop),this.listenTo(this.container,g.default.CONTAINER_STATE_BUFFERING,this.onBuffering),this.listenTo(this.container,g.default.CONTAINER_STATE_BUFFERFULL,this.onBufferFull),this.listenTo(this.container,g.default.CONTAINER_STATS_ADD,this.onStatsAdd),this.listenTo(this.container,g.default.CONTAINER_BITRATE,this.onStatsAdd),this.listenTo(this.container.playback,g.default.PLAYBACK_STATS_ADD,this.onStatsAdd)},e.prototype.setInitialAttrs=function(){this.firstPlay=!0,this.startupTime=0,this.rebufferingTime=0,this.watchingTime=0,this.rebuffers=0,this.externalMetrics={}},e.prototype.onPlay=function(){this.state="PLAYING",this.watchingTimeInit=Date.now(),this.intervalId||(this.intervalId=setInterval(this.report.bind(this),this.reportInterval))},e.prototype.onStop=function(){clearInterval(this.intervalId),this.report(),this.intervalId=void 0,this.state="STOPPED"},e.prototype.onBuffering=function(){this.firstPlay?this.startupTimeInit=Date.now():this.rebufferingTimeInit=Date.now(),this.state="BUFFERING",this.rebuffers++},e.prototype.onBufferFull=function(){this.firstPlay&&this.startupTimeInit?(this.firstPlay=!1,this.startupTime=Date.now()-this.startupTimeInit,this.watchingTimeInit=Date.now()):this.rebufferingTimeInit&&(this.rebufferingTime+=this.getRebufferingTime()),this.rebufferingTimeInit=void 0,this.state="PLAYING"},e.prototype.getRebufferingTime=function(){return Date.now()-this.rebufferingTimeInit},e.prototype.getWatchingTime=function(){return Date.now()-this.watchingTimeInit-this.rebufferingTime},e.prototype.isRebuffering=function(){return!!this.rebufferingTimeInit},e.prototype.onStatsAdd=function(t){v.default.extend(this.externalMetrics,t)},e.prototype.getStats=function(){var t={startupTime:this.startupTime,rebuffers:this.rebuffers,rebufferingTime:this.isRebuffering()?this.rebufferingTime+this.getRebufferingTime():this.rebufferingTime,watchingTime:this.isRebuffering()?this.getWatchingTime()-this.getRebufferingTime():this.getWatchingTime()};return v.default.extend(t,this.externalMetrics),t},e.prototype.report=function(){this.container.statsReport(this.getStats())},e}(f.default);e.default=m,t.exports=e.default},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(0),a=r(n),o=i(1),s=r(o),l=i(3),u=r(l),c=i(2),d=r(c),h=i(42),f=r(h),p=i(4),g=r(p),y=i(7),v=r(y),m=i(203),A=r(m);i(204);var b=function(t){function e(i){(0,a.default)(this,e);var r=(0,s.default)(this,t.call(this,i));return r.configure(),r}return(0,d.default)(e,t),(0,u.default)(e,[{key:"name",get:function(){return"watermark"}},{key:"template",get:function(){return(0,v.default)(A.default)}}]),e.prototype.bindEvents=function(){this.listenTo(this.container,g.default.CONTAINER_PLAY,this.onPlay),this.listenTo(this.container,g.default.CONTAINER_STOP,this.onStop),this.listenTo(this.container,g.default.CONTAINER_OPTIONS_CHANGE,this.configure)},e.prototype.configure=function(){this.position=this.options.position||"bottom-right",this.options.watermark?(this.imageUrl=this.options.watermark,this.imageLink=this.options.watermarkLink,this.render()):this.$el.remove()},e.prototype.onPlay=function(){this.hidden||this.$el.show()},e.prototype.onStop=function(){this.$el.hide()},e.prototype.render=function(){this.$el.hide();var t={position:this.position,imageUrl:this.imageUrl,imageLink:this.imageLink};return this.$el.html(this.template(t)),this.container.$el.append(this.$el),this},e}(f.default);e.default=b,t.exports=e.default},function(t,e){t.exports="<div data-watermark data-watermark-<%=position %>>\n<% if(typeof imageLink !== 'undefined') { %>\n<a target=_blank href=\"<%= imageLink %>\">\n<% } %>\n<img src=\"<%= imageUrl %>\">\n<% if(typeof imageLink !== 'undefined') { %>\n</a>\n<% } %>\n</div>\n"},function(t,e,i){var r=i(205);"string"==typeof r&&(r=[[t.i,r,""]]);var n={singleton:!0,hmr:!0};n.transform=void 0,n.insertInto=void 0;i(9)(r,n);r.locals&&(t.exports=r.locals)},function(t,e,i){e=t.exports=i(8)(!1),e.push([t.i,"[data-watermark]{position:absolute;min-width:70px;max-width:200px;width:12%;text-align:center;z-index:10}[data-watermark] a{outline:none;cursor:pointer}[data-watermark] img{max-width:100%}[data-watermark-bottom-left]{bottom:10px;left:10px}[data-watermark-bottom-right]{bottom:10px;right:42px}[data-watermark-top-left]{top:10px;left:10px}[data-watermark-top-right]{top:10px;right:37px}",""])},function(t,e,i){"use strict";(function(r){function n(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var a=i(0),o=n(a),s=i(1),l=n(s),u=i(3),c=n(u),d=i(2),h=n(d),f=i(42),p=n(f),g=i(4),y=n(g),v=i(7),m=n(v),A=i(10),b=n(A),_=i(79),E=n(_),T=i(207),S=n(T),L=i(64),R=n(L);i(208);var k=function(t){function e(i){(0,o.default)(this,e);var n=(0,l.default)(this,t.call(this,i));return n.hasStartedPlaying=!1,n.playRequested=!1,n.render(),r.nextTick(function(){return n.update()}),n}return(0,h.default)(e,t),(0,c.default)(e,[{key:"name",get:function(){return"poster"}},{key:"template",get:function(){return(0,m.default)(S.default)}},{key:"shouldRender",get:function(){var t=!(!this.options.poster||!this.options.poster.showForNoOp);return"html_img"!==this.container.playback.name&&(this.container.playback.getPlaybackType()!==b.default.NO_OP||t)}},{key:"attributes",get:function(){return{class:"player-poster","data-poster":""}}},{key:"events",get:function(){return{click:"clicked"}}},{key:"showOnVideoEnd",get:function(){return!this.options.poster||this.options.poster.showOnVideoEnd||void 0===this.options.poster.showOnVideoEnd}}]),e.prototype.bindEvents=function(){this.listenTo(this.container,y.default.CONTAINER_STOP,this.onStop),this.listenTo(this.container,y.default.CONTAINER_PLAY,this.onPlay),this.listenTo(this.container,y.default.CONTAINER_STATE_BUFFERING,this.update),this.listenTo(this.container,y.default.CONTAINER_STATE_BUFFERFULL,this.update),this.listenTo(this.container,y.default.CONTAINER_OPTIONS_CHANGE,this.render),this.listenTo(this.container,y.default.CONTAINER_ERROR,this.onError),this.showOnVideoEnd&&this.listenTo(this.container,y.default.CONTAINER_ENDED,this.onStop)},e.prototype.onError=function(t){this.hasFatalError=t.level===E.default.Levels.FATAL,this.hasFatalError&&(this.hasStartedPlaying=!1,this.playRequested=!1,this.showPlayButton())},e.prototype.onPlay=function(){this.hasStartedPlaying=!0,this.update()},e.prototype.onStop=function(){this.hasStartedPlaying=!1,this.playRequested=!1,this.update()},e.prototype.updatePlayButton=function(t){!t||this.options.chromeless&&!this.options.allowUserInteraction?this.hidePlayButton():this.showPlayButton()},e.prototype.showPlayButton=function(){this.hasFatalError&&!this.options.disableErrorScreen||(this.$playButton.show(),this.$el.addClass("clickable"))},e.prototype.hidePlayButton=function(){this.$playButton.hide(),this.$el.removeClass("clickable")},e.prototype.clicked=function(){return this.options.chromeless&&!this.options.allowUserInteraction||(this.playRequested=!0,this.update(),this.container.play()),!1},e.prototype.shouldHideOnPlay=function(){return!this.container.playback.isAudioOnly},e.prototype.update=function(){if(this.shouldRender){var t=!this.playRequested&&!this.hasStartedPlaying&&!this.container.buffering;this.updatePlayButton(t),this.updatePoster()}},e.prototype.updatePoster=function(){this.hasStartedPlaying?this.hidePoster():this.showPoster()},e.prototype.showPoster=function(){this.container.disableMediaControl(),this.$el.show()},e.prototype.hidePoster=function(){this.container.enableMediaControl(),this.shouldHideOnPlay()&&this.$el.hide()},e.prototype.render=function(){if(this.shouldRender){this.$el.html(this.template());if(this.options.poster&&void 0===this.options.poster.custom){var t=this.options.poster.url||this.options.poster;this.$el.css({"background-image":"url("+t+")"})}else this.options.poster&&this.$el.css({background:this.options.poster.custom});this.container.$el.append(this.el),this.$playWrapper=this.$el.find(".play-wrapper"),this.$playWrapper.append(R.default),this.$playButton=this.$playWrapper.find("svg"),this.$playButton.addClass("poster-icon"),this.$playButton.attr("data-poster","");var e=this.options.mediacontrol&&this.options.mediacontrol.buttons;return e&&this.$el.find("svg path").css("fill",e),this.options.mediacontrol&&this.options.mediacontrol.buttons&&(e=this.options.mediacontrol.buttons,this.$playButton.css("color",e)),this.update(),this}},e}(p.default);e.default=k,t.exports=e.default}).call(e,i(62))},function(t,e){t.exports='<div class="play-wrapper" data-poster></div>\n'},function(t,e,i){var r=i(209);"string"==typeof r&&(r=[[t.i,r,""]]);var n={singleton:!0,hmr:!0};n.transform=void 0,n.insertInto=void 0;i(9)(r,n);r.locals&&(t.exports=r.locals)},function(t,e,i){e=t.exports=i(8)(!1),e.push([t.i,".player-poster[data-poster]{display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-pack:center;-ms-flex-pack:center;justify-content:center;-webkit-box-align:center;-ms-flex-align:center;align-items:center;position:absolute;height:100%;width:100%;z-index:998;top:0;left:0;background-color:#000;background-size:cover;background-repeat:no-repeat;background-position:50% 50%}.player-poster[data-poster].clickable{cursor:pointer}.player-poster[data-poster]:hover .play-wrapper[data-poster]{opacity:1}.player-poster[data-poster] .play-wrapper[data-poster]{width:100%;height:25%;margin:0 auto;opacity:.75;transition:opacity .1s ease}.player-poster[data-poster] .play-wrapper[data-poster] svg{height:100%}.player-poster[data-poster] .play-wrapper[data-poster] svg path{fill:#fff}",""])},function(t,e,i){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r=i(211),n=function(t){return t&&t.__esModule?t:{default:t}}(r);e.default=n.default,t.exports=e.default},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(0),a=r(n),o=i(1),s=r(o),l=i(3),u=r(l),c=i(2),d=r(c),h=i(43),f=r(h),p=i(4),g=r(p),y=function(t){function e(i){(0,a.default)(this,e);var r=(0,s.default)(this,t.call(this,i));return r.container.options.gaAccount&&(r.account=r.container.options.gaAccount,r.trackerName=r.container.options.gaTrackerName?r.container.options.gaTrackerName+".":"Clappr.",r.domainName=r.container.options.gaDomainName,r.currentHDState=void 0,r.embedScript()),r}return(0,d.default)(e,t),(0,u.default)(e,[{key:"name",get:function(){return"google_analytics"}}]),e.prototype.embedScript=function(){var t=this;if(window._gat)this.addEventListeners();else{var e=document.createElement("script");e.setAttribute("type","text/javascript"),e.setAttribute("async","async"),e.setAttribute("src","//www.google-analytics.com/ga.js"),e.onload=function(){return t.addEventListeners()},document.body.appendChild(e)}},e.prototype.addEventListeners=function(){var t=this;this.container&&(this.listenTo(this.container,g.default.CONTAINER_READY,this.onReady),this.listenTo(this.container,g.default.CONTAINER_PLAY,this.onPlay),this.listenTo(this.container,g.default.CONTAINER_STOP,this.onStop),this.listenTo(this.container,g.default.CONTAINER_PAUSE,this.onPause),this.listenTo(this.container,g.default.CONTAINER_ENDED,this.onEnded),this.listenTo(this.container,g.default.CONTAINER_STATE_BUFFERING,this.onBuffering),this.listenTo(this.container,g.default.CONTAINER_STATE_BUFFERFULL,this.onBufferFull),this.listenTo(this.container,g.default.CONTAINER_ERROR,this.onError),this.listenTo(this.container,g.default.CONTAINER_PLAYBACKSTATE,this.onPlaybackChanged),this.listenTo(this.container,g.default.CONTAINER_VOLUME,function(e){return t.onVolumeChanged(e)}),this.listenTo(this.container,g.default.CONTAINER_SEEK,function(e){return t.onSeek(e)}),this.listenTo(this.container,g.default.CONTAINER_FULL_SCREEN,this.onFullscreen),this.listenTo(this.container,g.default.CONTAINER_HIGHDEFINITIONUPDATE,this.onHD),this.listenTo(this.container,g.default.CONTAINER_PLAYBACKDVRSTATECHANGED,this.onDVR)),_gaq.push([this.trackerName+"_setAccount",this.account]),this.domainName&&_gaq.push([this.trackerName+"_setDomainName",this.domainName])},e.prototype.onReady=function(){this.push(["Video","Playback",this.container.playback.name])},e.prototype.onPlay=function(){this.push(["Video","Play",this.container.playback.src])},e.prototype.onStop=function(){this.push(["Video","Stop",this.container.playback.src])},e.prototype.onEnded=function(){this.push(["Video","Ended",this.container.playback.src])},e.prototype.onBuffering=function(){this.push(["Video","Buffering",this.container.playback.src])},e.prototype.onBufferFull=function(){this.push(["Video","Bufferfull",this.container.playback.src])},e.prototype.onError=function(){this.push(["Video","Error",this.container.playback.src])},e.prototype.onHD=function(t){var e=t?"ON":"OFF";e!==this.currentHDState&&(this.currentHDState=e,this.push(["Video","HD - "+e,this.container.playback.src]))},e.prototype.onPlaybackChanged=function(t){null!==t.type&&this.push(["Video","Playback Type - "+t.type,this.container.playback.src])},e.prototype.onDVR=function(t){var e=t?"ON":"OFF";this.push(["Interaction","DVR - "+e,this.container.playback.src])},e.prototype.onPause=function(){this.push(["Video","Pause",this.container.playback.src])},e.prototype.onSeek=function(){this.push(["Video","Seek",this.container.playback.src])},e.prototype.onVolumeChanged=function(){this.push(["Interaction","Volume",this.container.playback.src])},e.prototype.onFullscreen=function(){this.push(["Interaction","Fullscreen",this.container.playback.src])},e.prototype.push=function(t){var e=[this.trackerName+"_trackEvent"].concat(t);_gaq.push(e)},e}(f.default);e.default=y,t.exports=e.default},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(0),a=r(n),o=i(1),s=r(o),l=i(3),u=r(l),c=i(2),d=r(c),h=i(43),f=r(h),p=i(4),g=r(p),y=i(10),v=r(y),m=function(t){function e(i){return(0,a.default)(this,e),(0,s.default)(this,t.call(this,i))}return(0,d.default)(e,t),(0,u.default)(e,[{key:"name",get:function(){return"click_to_pause"}}]),e.prototype.bindEvents=function(){this.listenTo(this.container,g.default.CONTAINER_CLICK,this.click),this.listenTo(this.container,g.default.CONTAINER_SETTINGSUPDATE,this.settingsUpdate)},e.prototype.click=function(){(this.container.getPlaybackType()!==v.default.LIVE||this.container.isDvrEnabled())&&(this.container.isPlaying()?this.container.pause():this.container.play())},e.prototype.settingsUpdate=function(){var t=this.container.getPlaybackType()!==v.default.LIVE||this.container.isDvrEnabled();if(t!==this.pointerEnabled){var e=t?"addClass":"removeClass";this.container.$el[e]("pointer-enabled"),this.pointerEnabled=t}},e}(f.default);e.default=m,t.exports=e.default},function(t,e,i){"use strict";(function(r){function n(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var a=i(88),o=n(a),s=i(0),l=n(s),u=i(1),c=n(u),d=i(3),h=n(d),f=i(2),p=n(f),g=i(5),y=i(60),v=i(4),m=n(v),A=i(23),b=n(A),_=i(14),E=n(_),T=i(31),S=n(T),L=i(7),R=n(L),k=i(10),w=n(k),C=i(6),I=n(C);i(214);var O=i(216),D=n(O),P=i(64),x=n(P),M=i(97),N=n(M),F=i(217),B=n(F),U=i(218),G=n(U),K=i(219),j=n(K),V=i(220),Y=n(V),H=i(221),$=n(H),W=i(222),z=n(W),q=function(t){function e(i){(0,l.default)(this,e);var r=(0,c.default)(this,t.call(this,i));return r.persistConfig=r.options.persistConfig,r.currentPositionValue=null,r.currentDurationValue=null,r.keepVisible=!1,r.fullScreenOnVideoTagSupported=null,r.setInitialVolume(),r.settings={left:["play","stop","pause"],right:["volume"],default:["position","seekbar","duration"]},r.kibo=new y.Kibo(r.options.focusElement),r.bindKeyEvents(),r.container?I.default.isEmptyObject(r.container.settings)||(r.settings=I.default.extend({},r.container.settings)):r.settings={},r.userDisabled=!1,(r.container&&r.container.mediaControlDisabled||r.options.chromeless)&&r.disable(),r.stopDragHandler=function(t){return r.stopDrag(t)},r.updateDragHandler=function(t){return r.updateDrag(t)},(0,I.default)(document).bind("mouseup",r.stopDragHandler),(0,I.default)(document).bind("mousemove",r.updateDragHandler),r}return(0,p.default)(e,t),(0,h.default)(e,[{key:"name",get:function(){return"media_control"}},{key:"disabled",get:function(){var t=this.container&&this.container.getPlaybackType()===w.default.NO_OP;return this.userDisabled||t}},{key:"container",get:function(){return this.core&&this.core.activeContainer}},{key:"playback",get:function(){return this.core&&this.core.activePlayback}},{key:"attributes",get:function(){return{class:"media-control","data-media-control":""}}},{key:"events",get:function(){return{"click [data-play]":"play","click [data-pause]":"pause","click [data-playpause]":"togglePlayPause","click [data-stop]":"stop","click [data-playstop]":"togglePlayStop","click [data-fullscreen]":"toggleFullscreen","click .bar-container[data-seekbar]":"seek","click .bar-container[data-volume]":"onVolumeClick","click .drawer-icon[data-volume]":"toggleMute","mouseenter .drawer-container[data-volume]":"showVolumeBar","mouseleave .drawer-container[data-volume]":"hideVolumeBar","mousedown .bar-container[data-volume]":"startVolumeDrag","mousemove .bar-container[data-volume]":"mousemoveOnVolumeBar","mousedown .bar-scrubber[data-seekbar]":"startSeekDrag","mousemove .bar-container[data-seekbar]":"mousemoveOnSeekBar","mouseleave .bar-container[data-seekbar]":"mouseleaveOnSeekBar","mouseenter .media-control-layer[data-controls]":"setUserKeepVisible","mouseleave .media-control-layer[data-controls]":"resetUserKeepVisible"}}},{key:"template",get:function(){return(0,R.default)(D.default)}},{key:"volume",get:function(){return this.container&&this.container.isReady?this.container.volume:this.intendedVolume}},{key:"muted",get:function(){return 0===this.volume}}]),e.prototype.getExternalInterface=function(){var t=this;return{setVolume:this.setVolume,getVolume:function(){return t.volume}}},e.prototype.bindEvents=function(){var t=this;this.stopListening(),this.listenTo(this.core,m.default.CORE_ACTIVE_CONTAINER_CHANGED,this.onActiveContainerChanged),this.listenTo(this.core,m.default.CORE_MOUSE_MOVE,this.show),this.listenTo(this.core,m.default.CORE_MOUSE_LEAVE,function(){return t.hide(t.options.hideMediaControlDelay)}),this.listenTo(this.core,m.default.CORE_FULLSCREEN,this.show),this.listenTo(this.core,m.default.CORE_OPTIONS_CHANGE,this.configure),S.default.on(this.options.playerId+":"+m.default.PLAYER_RESIZE,this.playerResize,this),this.bindContainerEvents()},e.prototype.bindContainerEvents=function(){this.container&&(this.listenTo(this.container,m.default.CONTAINER_PLAY,this.changeTogglePlay),this.listenTo(this.container,m.default.CONTAINER_PAUSE,this.changeTogglePlay),this.listenTo(this.container,m.default.CONTAINER_STOP,this.changeTogglePlay),this.listenTo(this.container,m.default.CONTAINER_DBLCLICK,this.toggleFullscreen),this.listenTo(this.container,m.default.CONTAINER_TIMEUPDATE,this.onTimeUpdate),this.listenTo(this.container,m.default.CONTAINER_PROGRESS,this.updateProgressBar),this.listenTo(this.container,m.default.CONTAINER_SETTINGSUPDATE,this.settingsUpdate),this.listenTo(this.container,m.default.CONTAINER_PLAYBACKDVRSTATECHANGED,this.settingsUpdate),this.listenTo(this.container,m.default.CONTAINER_HIGHDEFINITIONUPDATE,this.highDefinitionUpdate),this.listenTo(this.container,m.default.CONTAINER_MEDIACONTROL_DISABLE,this.disable),this.listenTo(this.container,m.default.CONTAINER_MEDIACONTROL_ENABLE,this.enable),this.listenTo(this.container,m.default.CONTAINER_ENDED,this.ended),this.listenTo(this.container,m.default.CONTAINER_VOLUME,this.onVolumeChanged),this.listenTo(this.container,m.default.CONTAINER_OPTIONS_CHANGE,this.setInitialVolume),"video"===this.container.playback.el.nodeName.toLowerCase()&&this.listenToOnce(this.container,m.default.CONTAINER_LOADEDMETADATA,this.onLoadedMetadataOnVideoTag))},e.prototype.disable=function(){this.userDisabled=!0,this.hide(),this.unbindKeyEvents(),this.$el.hide()},e.prototype.enable=function(){this.options.chromeless||(this.userDisabled=!1,this.bindKeyEvents(),this.show())},e.prototype.play=function(){this.container&&this.container.play()},e.prototype.pause=function(){this.container&&this.container.pause()},e.prototype.stop=function(){this.container&&this.container.stop()},e.prototype.setInitialVolume=function(){var t=this.persistConfig?g.Config.restore("volume"):100,e=this.container&&this.container.options||this.options;this.setVolume(e.mute?0:t,!0)},e.prototype.onVolumeChanged=function(){this.updateVolumeUI()},e.prototype.onLoadedMetadataOnVideoTag=function(){var t=this.playback&&this.playback.el;!g.Fullscreen.fullscreenEnabled()&&t.webkitSupportsFullscreen&&(this.fullScreenOnVideoTagSupported=!0,this.settingsUpdate())},e.prototype.updateVolumeUI=function(){if(this.rendered){this.$volumeBarContainer.find(".bar-fill-2").css({});var t=this.$volumeBarContainer.width(),e=this.$volumeBarBackground.width(),i=(t-e)/2,r=e*this.volume/100+i;this.$volumeBarFill.css({width:this.volume+"%"}),this.$volumeBarScrubber.css({left:r}),this.$volumeBarContainer.find(".segmented-bar-element").removeClass("fill");var n=Math.ceil(this.volume/10);this.$volumeBarContainer.find(".segmented-bar-element").slice(0,n).addClass("fill"),this.$volumeIcon.html(""),this.$volumeIcon.removeClass("muted"),this.muted?(this.$volumeIcon.append(j.default),this.$volumeIcon.addClass("muted")):this.$volumeIcon.append(G.default),this.applyButtonStyle(this.$volumeIcon)}},e.prototype.changeTogglePlay=function(){this.$playPauseToggle.html(""),this.$playStopToggle.html(""),this.container&&this.container.isPlaying()?(this.$playPauseToggle.append(N.default),this.$playStopToggle.append(B.default),this.trigger(m.default.MEDIACONTROL_PLAYING)):(this.$playPauseToggle.append(x.default),this.$playStopToggle.append(x.default),this.trigger(m.default.MEDIACONTROL_NOTPLAYING),E.default.isMobile&&this.show()),this.applyButtonStyle(this.$playPauseToggle),this.applyButtonStyle(this.$playStopToggle)},e.prototype.mousemoveOnSeekBar=function(t){if(this.settings.seekEnabled){var e=t.pageX-this.$seekBarContainer.offset().left-this.$seekBarHover.width()/2;this.$seekBarHover.css({left:e})}this.trigger(m.default.MEDIACONTROL_MOUSEMOVE_SEEKBAR,t)},e.prototype.mouseleaveOnSeekBar=function(t){this.trigger(m.default.MEDIACONTROL_MOUSELEAVE_SEEKBAR,t)},e.prototype.onVolumeClick=function(t){this.setVolume(this.getVolumeFromUIEvent(t))},e.prototype.mousemoveOnVolumeBar=function(t){this.draggingVolumeBar&&this.setVolume(this.getVolumeFromUIEvent(t))},e.prototype.playerResize=function(t){this.$fullscreenToggle.html("");var e=g.Fullscreen.isFullscreen()?$.default:Y.default;this.$fullscreenToggle.append(e),this.applyButtonStyle(this.$fullscreenToggle),0!==this.$el.find(".media-control").length&&this.$el.removeClass("w320"),(t.width<=320||this.options.hideVolumeBar)&&this.$el.addClass("w320")},e.prototype.togglePlayPause=function(){return this.container.isPlaying()?this.container.pause():this.container.play(),!1},e.prototype.togglePlayStop=function(){this.container.isPlaying()?this.container.stop():this.container.play()},e.prototype.startSeekDrag=function(t){this.settings.seekEnabled&&(this.draggingSeekBar=!0,this.$el.addClass("dragging"),this.$seekBarLoaded.addClass("media-control-notransition"),this.$seekBarPosition.addClass("media-control-notransition"),this.$seekBarScrubber.addClass("media-control-notransition"),t&&t.preventDefault())},e.prototype.startVolumeDrag=function(t){this.draggingVolumeBar=!0,this.$el.addClass("dragging"),t&&t.preventDefault()},e.prototype.stopDrag=function(t){this.draggingSeekBar&&this.seek(t),this.$el.removeClass("dragging"),this.$seekBarLoaded.removeClass("media-control-notransition"),this.$seekBarPosition.removeClass("media-control-notransition"),this.$seekBarScrubber.removeClass("media-control-notransition dragging"),this.draggingSeekBar=!1,this.draggingVolumeBar=!1},e.prototype.updateDrag=function(t){if(this.draggingSeekBar){t.preventDefault();var e=t.pageX-this.$seekBarContainer.offset().left,i=e/this.$seekBarContainer.width()*100;i=Math.min(100,Math.max(i,0)),this.setSeekPercentage(i)}else this.draggingVolumeBar&&(t.preventDefault(),this.setVolume(this.getVolumeFromUIEvent(t)))},e.prototype.getVolumeFromUIEvent=function(t){return(t.pageX-this.$volumeBarContainer.offset().left)/this.$volumeBarContainer.width()*100},e.prototype.toggleMute=function(){this.setVolume(this.muted?100:0)},e.prototype.setVolume=function(t){var e=this,i=arguments.length>1&&void 0!==arguments[1]&&arguments[1];t=Math.min(100,Math.max(t,0)),this.intendedVolume=t,this.persistConfig&&!i&&g.Config.persist("volume",t);var r=function(){e.container&&e.container.isReady?e.container.setVolume(t):e.listenToOnce(e.container,m.default.CONTAINER_READY,function(){e.container.setVolume(t)})};this.container?r():this.listenToOnce(this,m.default.MEDIACONTROL_CONTAINERCHANGED,function(){return r()})},e.prototype.toggleFullscreen=function(){this.trigger(m.default.MEDIACONTROL_FULLSCREEN,this.name),this.container.fullscreen(),this.core.toggleFullscreen(),this.resetUserKeepVisible()},e.prototype.onActiveContainerChanged=function(){this.fullScreenOnVideoTagSupported=null,this.bindEvents(),S.default.off(this.options.playerId+":"+m.default.PLAYER_RESIZE,this.playerResize,this),this.setInitialVolume(),this.changeTogglePlay(),this.bindContainerEvents(),this.settingsUpdate(),this.container&&this.container.trigger(m.default.CONTAINER_PLAYBACKDVRSTATECHANGED,this.container.isDvrInUse()),this.container&&this.container.mediaControlDisabled&&this.disable(),this.trigger(m.default.MEDIACONTROL_CONTAINERCHANGED)},e.prototype.showVolumeBar=function(){this.hideVolumeId&&clearTimeout(this.hideVolumeId),this.$volumeBarContainer.removeClass("volume-bar-hide")},e.prototype.hideVolumeBar=function(){var t=this,e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:400;this.$volumeBarContainer&&(this.draggingVolumeBar?this.hideVolumeId=setTimeout(function(){return t.hideVolumeBar()},e):(this.hideVolumeId&&clearTimeout(this.hideVolumeId),this.hideVolumeId=setTimeout(function(){return t.$volumeBarContainer.addClass("volume-bar-hide")},e)))},e.prototype.ended=function(){this.changeTogglePlay()},e.prototype.updateProgressBar=function(t){var e=t.start/t.total*100,i=t.current/t.total*100;this.$seekBarLoaded.css({left:e+"%",width:i-e+"%"})},e.prototype.onTimeUpdate=function(t){if(!this.draggingSeekBar){var e=t.current<0?t.total:t.current;this.currentPositionValue=e,this.currentDurationValue=t.total,this.renderSeekBar()}},e.prototype.renderSeekBar=function(){if(null!==this.currentPositionValue&&null!==this.currentDurationValue){this.currentSeekBarPercentage=100,this.container&&(this.container.getPlaybackType()!==w.default.LIVE||this.container.isDvrInUse())&&(this.currentSeekBarPercentage=this.currentPositionValue/this.currentDurationValue*100),this.setSeekPercentage(this.currentSeekBarPercentage);var t=(0,g.formatTime)(this.currentPositionValue),e=(0,g.formatTime)(this.currentDurationValue);t!==this.displayedPosition&&(this.$position.text(t),this.displayedPosition=t),e!==this.displayedDuration&&(this.$duration.text(e),this.displayedDuration=e)}},e.prototype.seek=function(t){if(this.settings.seekEnabled){var e=t.pageX-this.$seekBarContainer.offset().left,i=e/this.$seekBarContainer.width()*100;return i=Math.min(100,Math.max(i,0)),this.container&&this.container.seekPercentage(i),this.setSeekPercentage(i),!1}},e.prototype.setKeepVisible=function(){this.keepVisible=!0},e.prototype.resetKeepVisible=function(){this.keepVisible=!1},e.prototype.setUserKeepVisible=function(){this.userKeepVisible=!0},e.prototype.resetUserKeepVisible=function(){this.userKeepVisible=!1},e.prototype.isVisible=function(){return!this.$el.hasClass("media-control-hide")},e.prototype.show=function(t){var e=this;if(!this.disabled){var i=t&&t.clientX!==this.lastMouseX&&t.clientY!==this.lastMouseY;(!t||i||navigator.userAgent.match(/firefox/i))&&(clearTimeout(this.hideId),this.$el.show(),this.trigger(m.default.MEDIACONTROL_SHOW,this.name),this.container&&this.container.trigger(m.default.CONTAINER_MEDIACONTROL_SHOW,this.name),this.$el.removeClass("media-control-hide"),this.hideId=setTimeout(function(){return e.hide()},2e3),t&&(this.lastMouseX=t.clientX,this.lastMouseY=t.clientY));this.updateCursorStyle(!0)}},e.prototype.hide=function(){var t=this,e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:0;if(this.isVisible()){var i=e||2e3;if(clearTimeout(this.hideId),this.disabled||!1!==this.options.hideMediaControl){var r=this.userKeepVisible||this.keepVisible,n=this.draggingSeekBar||this.draggingVolumeBar;if(!this.disabled&&(e||r||n))this.hideId=setTimeout(function(){return t.hide()},i);else{this.trigger(m.default.MEDIACONTROL_HIDE,this.name),this.container&&this.container.trigger(m.default.CONTAINER_MEDIACONTROL_HIDE,this.name),this.$el.addClass("media-control-hide"),this.hideVolumeBar(0);this.updateCursorStyle(!1)}}}},e.prototype.updateCursorStyle=function(t){t?this.core.$el.removeClass("nocursor"):g.Fullscreen.isFullscreen()&&this.core.$el.addClass("nocursor")},e.prototype.settingsUpdate=function(){var t=this.getSettings();!t||this.fullScreenOnVideoTagSupported||g.Fullscreen.fullscreenEnabled()||(t.default&&(0,g.removeArrayItem)(t.default,"fullscreen"),t.left&&(0,g.removeArrayItem)(t.left,"fullscreen"),t.right&&(0,g.removeArrayItem)(t.right,"fullscreen")),(0,o.default)(this.settings)!==(0,o.default)(t)&&(this.settings=t,this.render())},e.prototype.getSettings=function(){return I.default.extend(!0,{},this.container&&this.container.settings)},e.prototype.highDefinitionUpdate=function(t){this.isHD=t;var e=t?"addClass":"removeClass";this.$hdIndicator[e]("enabled")},e.prototype.createCachedElements=function(){var t=this.$el.find(".media-control-layer");this.$duration=t.find(".media-control-indicator[data-duration]"),this.$fullscreenToggle=t.find("button.media-control-button[data-fullscreen]"),this.$playPauseToggle=t.find("button.media-control-button[data-playpause]"),this.$playStopToggle=t.find("button.media-control-button[data-playstop]"),this.$position=t.find(".media-control-indicator[data-position]"),this.$seekBarContainer=t.find(".bar-container[data-seekbar]"),this.$seekBarHover=t.find(".bar-hover[data-seekbar]"),this.$seekBarLoaded=t.find(".bar-fill-1[data-seekbar]"),this.$seekBarPosition=t.find(".bar-fill-2[data-seekbar]"),this.$seekBarScrubber=t.find(".bar-scrubber[data-seekbar]"),this.$volumeBarContainer=t.find(".bar-container[data-volume]"),this.$volumeContainer=t.find(".drawer-container[data-volume]"),this.$volumeIcon=t.find(".drawer-icon[data-volume]"),this.$volumeBarBackground=this.$el.find(".bar-background[data-volume]"),this.$volumeBarFill=this.$el.find(".bar-fill-1[data-volume]"),this.$volumeBarScrubber=this.$el.find(".bar-scrubber[data-volume]"),this.$hdIndicator=this.$el.find("button.media-control-button[data-hd-indicator]"),this.resetIndicators(),this.initializeIcons()},e.prototype.resetIndicators=function(){this.displayedPosition=this.$position.text(),this.displayedDuration=this.$duration.text()},e.prototype.initializeIcons=function(){var t=this.$el.find(".media-control-layer");t.find("button.media-control-button[data-play]").append(x.default),t.find("button.media-control-button[data-pause]").append(N.default),t.find("button.media-control-button[data-stop]").append(B.default),this.$playPauseToggle.append(x.default),this.$playStopToggle.append(x.default),this.$volumeIcon.append(G.default),this.$fullscreenToggle.append(Y.default),this.$hdIndicator.append(z.default)},e.prototype.setSeekPercentage=function(t){t=Math.max(Math.min(t,100),0),this.displayedSeekBarPercentage!==t&&(this.displayedSeekBarPercentage=t,this.$seekBarPosition.removeClass("media-control-notransition"),this.$seekBarScrubber.removeClass("media-control-notransition"),this.$seekBarPosition.css({width:t+"%"}),this.$seekBarScrubber.css({left:t+"%"}))},e.prototype.seekRelative=function(t){if(this.settings.seekEnabled){var e=this.container.getCurrentTime(),i=this.container.getDuration(),r=Math.min(Math.max(e+t,0),i);r=Math.min(100*r/i,100),this.container.seekPercentage(r)}},e.prototype.bindKeyAndShow=function(t,e){var i=this;this.kibo.down(t,function(){return i.show(),e()})},e.prototype.bindKeyEvents=function(){var t=this;if(!E.default.isMobile&&!this.options.disableKeyboardShortcuts){this.unbindKeyEvents(),this.kibo=new y.Kibo(this.options.focusElement||this.options.parentElement),this.bindKeyAndShow("space",function(){return t.togglePlayPause()}),this.bindKeyAndShow("left",function(){return t.seekRelative(-5)}),this.bindKeyAndShow("right",function(){return t.seekRelative(5)}),this.bindKeyAndShow("shift left",function(){return t.seekRelative(-10)}),this.bindKeyAndShow("shift right",function(){return t.seekRelative(10)}),this.bindKeyAndShow("shift ctrl left",function(){return t.seekRelative(-15)}),this.bindKeyAndShow("shift ctrl right",function(){return t.seekRelative(15)});["1","2","3","4","5","6","7","8","9","0"].forEach(function(e){t.bindKeyAndShow(e,function(){t.settings.seekEnabled&&t.container&&t.container.seekPercentage(10*e)})})}},e.prototype.unbindKeyEvents=function(){this.kibo&&(this.kibo.off("space"),this.kibo.off("left"),this.kibo.off("right"),this.kibo.off("shift left"),this.kibo.off("shift right"),this.kibo.off("shift ctrl left"),this.kibo.off("shift ctrl right"),this.kibo.off(["1","2","3","4","5","6","7","8","9","0"]))},e.prototype.parseColors=function(){if(this.options.mediacontrol){this.buttonsColor=this.options.mediacontrol.buttons;var t=this.options.mediacontrol.seekbar;this.$el.find(".bar-fill-2[data-seekbar]").css("background-color",t),this.$el.find(".media-control-icon svg path").css("fill",this.buttonsColor),this.$el.find(".segmented-bar-element[data-volume]").css("boxShadow","inset 2px 0 0 "+this.buttonsColor)}},e.prototype.applyButtonStyle=function(t){this.buttonsColor&&t&&(0,I.default)(t).find("svg path").css("fill",this.buttonsColor)},e.prototype.destroy=function(){(0,I.default)(document).unbind("mouseup",this.stopDragHandler),(0,I.default)(document).unbind("mousemove",this.updateDragHandler),this.unbindKeyEvents(),this.stopListening(),t.prototype.destroy.call(this)},e.prototype.configure=function(){this.options.chromeless?this.disable():this.enable(),this.trigger(m.default.MEDIACONTROL_OPTIONS_CHANGE)},e.prototype.render=function(){var t=this,e=this.options.hideMediaControlDelay||2e3;this.settings&&this.$el.html(this.template({settings:this.settings})),this.createCachedElements(),this.$playPauseToggle.addClass("paused"),this.$playStopToggle.addClass("stopped"),this.changeTogglePlay(),this.container&&(this.hideId=setTimeout(function(){return t.hide()},e),this.disabled&&this.hide()),E.default.isSafari&&E.default.isMobile&&(E.default.version<10?this.$volumeContainer.css("display","none"):this.$volumeBarContainer.css("display","none")),this.$seekBarPosition.addClass("media-control-notransition"),this.$seekBarScrubber.addClass("media-control-notransition");var i=0;return this.displayedSeekBarPercentage&&(i=this.displayedSeekBarPercentage),this.displayedSeekBarPercentage=null,this.setSeekPercentage(i),r.nextTick(function(){!t.settings.seekEnabled&&t.$seekBarContainer.addClass("seek-disabled"),!E.default.isMobile&&!t.options.disableKeyboardShortcuts&&t.bindKeyEvents(),t.playerResize({width:t.options.width,height:t.options.height}),t.hideVolumeBar(0)}),this.parseColors(),this.highDefinitionUpdate(this.isHD),this.core.$el.append(this.el),this.rendered=!0,this.updateVolumeUI(),this.trigger(m.default.MEDIACONTROL_RENDERED),this},e}(b.default);e.default=q,q.extend=function(t){return(0,g.extend)(q,t)},t.exports=e.default}).call(e,i(62))},function(t,e,i){var r=i(215);"string"==typeof r&&(r=[[t.i,r,""]]);var n={singleton:!0,hmr:!0};n.transform=void 0,n.insertInto=void 0;i(9)(r,n);r.locals&&(t.exports=r.locals)},function(t,e,i){var r=i(81);e=t.exports=i(8)(!1),e.push([t.i,".media-control-notransition{transition:none!important}.media-control[data-media-control]{position:absolute;width:100%;height:100%;z-index:9999;pointer-events:none}.media-control[data-media-control].dragging{pointer-events:auto;cursor:-webkit-grabbing!important;cursor:grabbing!important;cursor:url("+r(i(96))+"),move}.media-control[data-media-control].dragging *{cursor:-webkit-grabbing!important;cursor:grabbing!important;cursor:url("+r(i(96))+'),move}.media-control[data-media-control] .media-control-background[data-background]{position:absolute;height:40%;width:100%;bottom:0;background:linear-gradient(transparent,rgba(0,0,0,.9));transition:opacity .6s ease-out}.media-control[data-media-control] .media-control-icon{line-height:0;letter-spacing:0;speak:none;color:#fff;opacity:.5;vertical-align:middle;text-align:left;transition:all .1s ease}.media-control[data-media-control] .media-control-icon:hover{color:#fff;opacity:.75;text-shadow:hsla(0,0%,100%,.8) 0 0 5px}.media-control[data-media-control].media-control-hide .media-control-background[data-background]{opacity:0}.media-control[data-media-control].media-control-hide .media-control-layer[data-controls]{bottom:-50px}.media-control[data-media-control].media-control-hide .media-control-layer[data-controls] .bar-container[data-seekbar] .bar-scrubber[data-seekbar]{opacity:0}.media-control[data-media-control] .media-control-layer[data-controls]{position:absolute;bottom:7px;width:100%;height:32px;font-size:0;vertical-align:middle;pointer-events:auto;transition:bottom .4s ease-out}.media-control[data-media-control] .media-control-layer[data-controls] .media-control-left-panel[data-media-control]{position:absolute;top:0;left:4px;height:100%}.media-control[data-media-control] .media-control-layer[data-controls] .media-control-center-panel[data-media-control]{height:100%;text-align:center;line-height:32px}.media-control[data-media-control] .media-control-layer[data-controls] .media-control-right-panel[data-media-control]{position:absolute;top:0;right:4px;height:100%}.media-control[data-media-control] .media-control-layer[data-controls] button.media-control-button{background-color:transparent;border:0;margin:0 6px;padding:0;cursor:pointer;display:inline-block;width:32px;height:100%}.media-control[data-media-control] .media-control-layer[data-controls] button.media-control-button svg{width:100%;height:22px}.media-control[data-media-control] .media-control-layer[data-controls] button.media-control-button svg path{fill:#fff}.media-control[data-media-control] .media-control-layer[data-controls] button.media-control-button:focus{outline:none}.media-control[data-media-control] .media-control-layer[data-controls] button.media-control-button[data-pause],.media-control[data-media-control] .media-control-layer[data-controls] button.media-control-button[data-play],.media-control[data-media-control] .media-control-layer[data-controls] button.media-control-button[data-stop]{float:left;height:100%}.media-control[data-media-control] .media-control-layer[data-controls] button.media-control-button[data-fullscreen]{float:right;background-color:transparent;border:0;height:100%}.media-control[data-media-control] .media-control-layer[data-controls] button.media-control-button[data-hd-indicator]{background-color:transparent;border:0;cursor:default;display:none;float:right;height:100%}.media-control[data-media-control] .media-control-layer[data-controls] button.media-control-button[data-hd-indicator].enabled{display:block;opacity:1}.media-control[data-media-control] .media-control-layer[data-controls] button.media-control-button[data-hd-indicator].enabled:hover{opacity:1;text-shadow:none}.media-control[data-media-control] .media-control-layer[data-controls] button.media-control-button[data-playpause],.media-control[data-media-control] .media-control-layer[data-controls] button.media-control-button[data-playstop]{float:left}.media-control[data-media-control] .media-control-layer[data-controls] .media-control-indicator[data-duration],.media-control[data-media-control] .media-control-layer[data-controls] .media-control-indicator[data-position]{display:inline-block;font-size:10px;color:#fff;cursor:default;line-height:32px;position:relative}.media-control[data-media-control] .media-control-layer[data-controls] .media-control-indicator[data-position]{margin:0 6px 0 7px}.media-control[data-media-control] .media-control-layer[data-controls] .media-control-indicator[data-duration]{color:hsla(0,0%,100%,.5);margin-right:6px}.media-control[data-media-control] .media-control-layer[data-controls] .media-control-indicator[data-duration]:before{content:"|";margin-right:7px}.media-control[data-media-control] .media-control-layer[data-controls] .bar-container[data-seekbar]{position:absolute;top:-20px;left:0;display:inline-block;vertical-align:middle;width:100%;height:25px;cursor:pointer}.media-control[data-media-control] .media-control-layer[data-controls] .bar-container[data-seekbar] .bar-background[data-seekbar]{width:100%;height:1px;position:relative;top:12px;background-color:#666}.media-control[data-media-control] .media-control-layer[data-controls] .bar-container[data-seekbar] .bar-background[data-seekbar] .bar-fill-1[data-seekbar]{position:absolute;top:0;left:0;width:0;height:100%;background-color:#c2c2c2;transition:all .1s ease-out}.media-control[data-media-control] .media-control-layer[data-controls] .bar-container[data-seekbar] .bar-background[data-seekbar] .bar-fill-2[data-seekbar]{position:absolute;top:0;left:0;width:0;height:100%;background-color:#005aff;transition:all .1s ease-out}.media-control[data-media-control] .media-control-layer[data-controls] .bar-container[data-seekbar] .bar-background[data-seekbar] .bar-hover[data-seekbar]{opacity:0;position:absolute;top:-3px;width:5px;height:7px;background-color:hsla(0,0%,100%,.5);transition:opacity .1s ease}.media-control[data-media-control] .media-control-layer[data-controls] .bar-container[data-seekbar]:hover .bar-background[data-seekbar] .bar-hover[data-seekbar]{opacity:1}.media-control[data-media-control] .media-control-layer[data-controls] .bar-container[data-seekbar].seek-disabled{cursor:default}.media-control[data-media-control] .media-control-layer[data-controls] .bar-container[data-seekbar].seek-disabled:hover .bar-background[data-seekbar] .bar-hover[data-seekbar]{opacity:0}.media-control[data-media-control] .media-control-layer[data-controls] .bar-container[data-seekbar] .bar-scrubber[data-seekbar]{position:absolute;-webkit-transform:translateX(-50%);transform:translateX(-50%);top:2px;left:0;width:20px;height:20px;opacity:1;transition:all .1s ease-out}.media-control[data-media-control] .media-control-layer[data-controls] .bar-container[data-seekbar] .bar-scrubber[data-seekbar] .bar-scrubber-icon[data-seekbar]{position:absolute;left:6px;top:6px;width:8px;height:8px;border-radius:10px;box-shadow:0 0 0 6px hsla(0,0%,100%,.2);background-color:#fff}.media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume]{float:right;display:inline-block;height:32px;cursor:pointer;margin:0 6px;box-sizing:border-box}.media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .drawer-icon-container[data-volume]{float:left;bottom:0}.media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .drawer-icon-container[data-volume] .drawer-icon[data-volume]{background-color:transparent;border:0;box-sizing:content-box;width:32px;height:32px;opacity:.5}.media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .drawer-icon-container[data-volume] .drawer-icon[data-volume]:hover{opacity:.75}.media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .drawer-icon-container[data-volume] .drawer-icon[data-volume] svg{height:24px;position:relative;top:3px}.media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .drawer-icon-container[data-volume] .drawer-icon[data-volume] svg path{fill:#fff}.media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .drawer-icon-container[data-volume] .drawer-icon[data-volume].muted svg{margin-left:2px}.media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .bar-container[data-volume]{float:left;position:relative;overflow:hidden;top:6px;width:42px;height:18px;padding:3px 0;transition:width .2s ease-out}.media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .bar-container[data-volume] .bar-background[data-volume]{height:1px;position:relative;top:7px;margin:0 3px;background-color:#666}.media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .bar-container[data-volume] .bar-background[data-volume] .bar-fill-1[data-volume]{position:absolute;top:0;left:0;width:0;height:100%;background-color:#c2c2c2;transition:all .1s ease-out}.media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .bar-container[data-volume] .bar-background[data-volume] .bar-fill-2[data-volume]{position:absolute;top:0;left:0;width:0;height:100%;background-color:#005aff;transition:all .1s ease-out}.media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .bar-container[data-volume] .bar-background[data-volume] .bar-hover[data-volume]{opacity:0;position:absolute;top:-3px;width:5px;height:7px;background-color:hsla(0,0%,100%,.5);transition:opacity .1s ease}.media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .bar-container[data-volume] .bar-scrubber[data-volume]{position:absolute;-webkit-transform:translateX(-50%);transform:translateX(-50%);top:0;left:0;width:20px;height:20px;opacity:1;transition:all .1s ease-out}.media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .bar-container[data-volume] .bar-scrubber[data-volume] .bar-scrubber-icon[data-volume]{position:absolute;left:6px;top:6px;width:8px;height:8px;border-radius:10px;box-shadow:0 0 0 6px hsla(0,0%,100%,.2);background-color:#fff}.media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .bar-container[data-volume] .segmented-bar-element[data-volume]{float:left;width:4px;padding-left:2px;height:12px;opacity:.5;box-shadow:inset 2px 0 0 #fff;transition:-webkit-transform .2s ease-out;transition:transform .2s ease-out;transition:transform .2s ease-out,-webkit-transform .2s ease-out}.media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .bar-container[data-volume] .segmented-bar-element[data-volume].fill{box-shadow:inset 2px 0 0 #fff;opacity:1}.media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .bar-container[data-volume] .segmented-bar-element[data-volume]:first-of-type{padding-left:0}.media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .bar-container[data-volume] .segmented-bar-element[data-volume]:hover{-webkit-transform:scaleY(1.5);transform:scaleY(1.5)}.media-control[data-media-control].w320 .media-control-layer[data-controls] .drawer-container[data-volume] .bar-container[data-volume].volume-bar-hide{width:0;height:12px;top:9px;padding:0}',""])},function(t,e){t.exports='<div class="media-control-background" data-background></div>\n<div class="media-control-layer" data-controls>\n <% var renderBar = function(name) { %>\n <div class="bar-container" data-<%= name %>>\n <div class="bar-background" data-<%= name %>>\n <div class="bar-fill-1" data-<%= name %>></div>\n <div class="bar-fill-2" data-<%= name %>></div>\n <div class="bar-hover" data-<%= name %>></div>\n </div>\n <div class="bar-scrubber" data-<%= name %>>\n <div class="bar-scrubber-icon" data-<%= name %>></div>\n </div>\n </div>\n <% }; %>\n <% var renderSegmentedBar = function(name, segments) {\n segments = segments || 10; %>\n <div class="bar-container" data-<%= name %>>\n <% for (var i = 0; i < segments; i++) { %>\n <div class="segmented-bar-element" data-<%= name %>></div>\n <% } %>\n </div>\n <% }; %>\n <% var renderDrawer = function(name, renderContent) { %>\n <div class="drawer-container" data-<%= name %>>\n <div class="drawer-icon-container" data-<%= name %>>\n <div class="drawer-icon media-control-icon" data-<%= name %>></div>\n <span class="drawer-text" data-<%= name %>></span>\n </div>\n <% renderContent(name); %>\n </div>\n <% }; %>\n <% var renderIndicator = function(name) { %>\n <div class="media-control-indicator" data-<%= name %>></div>\n <% }; %>\n <% var renderButton = function(name) { %>\n <button type="button" class="media-control-button media-control-icon" data-<%= name %> aria-label="<%= name %>"></button>\n <% }; %>\n <% var templates = {\n bar: renderBar,\n segmentedBar: renderSegmentedBar,\n };\n var render = function(settingsList) {\n settingsList.forEach(function(setting) {\n if(setting === "seekbar") {\n renderBar(setting);\n } else if (setting === "volume") {\n renderDrawer(setting, settings.volumeBarTemplate ? templates[settings.volumeBarTemplate] : function(name) { return renderSegmentedBar(name); });\n } else if (setting === "duration" || setting === "position") {\n renderIndicator(setting);\n } else {\n renderButton(setting);\n }\n });\n }; %>\n <% if (settings.default && settings.default.length) { %>\n <div class="media-control-center-panel" data-media-control>\n <% render(settings.default); %>\n </div>\n <% } %>\n <% if (settings.left && settings.left.length) { %>\n <div class="media-control-left-panel" data-media-control>\n <% render(settings.left); %>\n </div>\n <% } %>\n <% if (settings.right && settings.right.length) { %>\n <div class="media-control-right-panel" data-media-control>\n <% render(settings.right); %>\n </div>\n <% } %>\n</div>\n'},function(t,e){t.exports='<svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 16 16"><path fill-rule="evenodd" clip-rule="evenodd" fill="#010101" d="M1.712 1.24h12.6v13.52h-12.6z"></path></svg>'},function(t,e){t.exports='<svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 16 16"><path fill-rule="evenodd" clip-rule="evenodd" fill="#010101" d="M11.5 11h-.002v1.502L7.798 10H4.5V6h3.297l3.7-2.502V4.5h.003V11zM11 4.49L7.953 6.5H5v3h2.953L11 11.51V4.49z"></path></svg>'},function(t,e){t.exports='<svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 16 16"><path fill-rule="evenodd" clip-rule="evenodd" fill="#010101" d="M9.75 11.51L6.7 9.5H3.75v-3H6.7L9.75 4.49v.664l.497.498V3.498L6.547 6H3.248v4h3.296l3.7 2.502v-2.154l-.497.5v.662zm3-5.165L12.404 6l-1.655 1.653L9.093 6l-.346.345L10.402 8 8.747 9.654l.346.347 1.655-1.653L12.403 10l.348-.346L11.097 8l1.655-1.655z"></path></svg>'},function(t,e){t.exports='<svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 16 16"><path fill="#010101" d="M7.156 8L4 11.156V8.5H3V13h4.5v-1H4.844L8 8.844 7.156 8zM8.5 3v1h2.657L8 7.157 8.846 8 12 4.844V7.5h1V3H8.5z"></path></svg>'},function(t,e){t.exports='<svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 16 16"><path fill="#010101" d="M13.5 3.344l-.844-.844L9.5 5.656V3h-1v4.5H13v-1h-2.656L13.5 3.344zM3 9.5h2.656L2.5 12.656l.844.844L6.5 10.344V13h1V8.5H3v1z"></path></svg>'},function(t,e){t.exports='<svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 16 16"><path fill="#010101" d="M5.375 7.062H2.637V4.26H.502v7.488h2.135V8.9h2.738v2.848h2.133V4.26H5.375v2.802zm5.97-2.81h-2.84v7.496h2.798c2.65 0 4.195-1.607 4.195-3.77v-.022c0-2.162-1.523-3.704-4.154-3.704zm2.06 3.758c0 1.21-.81 1.896-2.03 1.896h-.83V6.093h.83c1.22 0 2.03.696 2.03 1.896v.02z"></path></svg>'},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(0),a=r(n),o=i(1),s=r(o),l=i(3),u=r(l),c=i(2),d=r(c),h=i(23),f=r(h),p=i(7),g=r(p),y=i(10),v=r(y),m=i(4),A=r(m),b=i(224),_=r(b);i(225);var E=function(t){function e(i){(0,a.default)(this,e);var r=(0,s.default)(this,t.call(this,i));return r.settingsUpdate(),r}return(0,d.default)(e,t),(0,u.default)(e,[{key:"template",get:function(){return(0,g.default)(_.default)}},{key:"name",get:function(){return"dvr_controls"}},{key:"events",get:function(){return{"click .live-button":"click"}}},{key:"attributes",get:function(){return{class:"dvr-controls","data-dvr-controls":""}}}]),e.prototype.bindEvents=function(){this.listenTo(this.core.mediaControl,A.default.MEDIACONTROL_CONTAINERCHANGED,this.containerChanged),this.listenTo(this.core.mediaControl,A.default.MEDIACONTROL_RENDERED,this.settingsUpdate),this.listenTo(this.core,A.default.CORE_OPTIONS_CHANGE,this.render),this.core.getCurrentContainer()&&(this.listenToOnce(this.core.getCurrentContainer(),A.default.CONTAINER_TIMEUPDATE,this.render),this.listenTo(this.core.getCurrentContainer(),A.default.CONTAINER_PLAYBACKDVRSTATECHANGED,this.dvrChanged))},e.prototype.containerChanged=function(){this.stopListening(),this.bindEvents()},e.prototype.dvrChanged=function(t){this.core.getPlaybackType()===v.default.LIVE&&(this.settingsUpdate(),this.core.mediaControl.$el.addClass("live"),t?(this.core.mediaControl.$el.addClass("dvr"),this.core.mediaControl.$el.find(".media-control-indicator[data-position], .media-control-indicator[data-duration]").hide()):this.core.mediaControl.$el.removeClass("dvr"))},e.prototype.click=function(){var t=this.core.mediaControl,e=t.container;e.isPlaying()||e.play(),t.$el.hasClass("dvr")&&e.seek(e.getDuration())},e.prototype.settingsUpdate=function(){var t=this;this.stopListening(),this.core.mediaControl.$el.removeClass("live"),this.shouldRender()&&(this.render(),this.$el.click(function(){return t.click()})),this.bindEvents()},e.prototype.shouldRender=function(){return(void 0===this.core.options.useDvrControls||!!this.core.options.useDvrControls)&&this.core.getPlaybackType()===v.default.LIVE},e.prototype.render=function(){return this.$el.html(this.template({live:this.core.i18n.t("live"),backToLive:this.core.i18n.t("back_to_live")})),this.shouldRender()&&(this.core.mediaControl.$el.addClass("live"),this.core.mediaControl.$(".media-control-left-panel[data-media-control]").append(this.$el)),this},e}(f.default);e.default=E,t.exports=e.default},function(t,e){t.exports='<div class="live-info"><%= live %></div>\n<button type="button" class="live-button" aria-label="<%= backToLive %>"><%= backToLive %></button>\n'},function(t,e,i){var r=i(226);"string"==typeof r&&(r=[[t.i,r,""]]);var n={singleton:!0,hmr:!0};n.transform=void 0,n.insertInto=void 0;i(9)(r,n);r.locals&&(t.exports=r.locals)},function(t,e,i){e=t.exports=i(8)(!1),e.push([t.i,'.dvr-controls[data-dvr-controls]{display:inline-block;float:left;color:#fff;line-height:32px;font-size:10px;font-weight:700;margin-left:6px}.dvr-controls[data-dvr-controls] .live-info{cursor:default;font-family:Roboto,Open Sans,Arial,sans-serif;text-transform:uppercase}.dvr-controls[data-dvr-controls] .live-info:before{content:"";display:inline-block;position:relative;width:7px;height:7px;border-radius:3.5px;margin-right:3.5px;background-color:#ff0101}.dvr-controls[data-dvr-controls] .live-info.disabled{opacity:.3}.dvr-controls[data-dvr-controls] .live-info.disabled:before{background-color:#fff}.dvr-controls[data-dvr-controls] .live-button{cursor:pointer;outline:none;display:none;border:0;color:#fff;background-color:transparent;height:32px;padding:0;opacity:.7;font-family:Roboto,Open Sans,Arial,sans-serif;text-transform:uppercase;transition:all .1s ease}.dvr-controls[data-dvr-controls] .live-button:before{content:"";display:inline-block;position:relative;width:7px;height:7px;border-radius:3.5px;margin-right:3.5px;background-color:#fff}.dvr-controls[data-dvr-controls] .live-button:hover{opacity:1;text-shadow:hsla(0,0%,100%,.75) 0 0 5px}.dvr .dvr-controls[data-dvr-controls] .live-info{display:none}.dvr .dvr-controls[data-dvr-controls] .live-button{display:block}.dvr.media-control.live[data-media-control] .media-control-layer[data-controls] .bar-container[data-seekbar] .bar-background[data-seekbar] .bar-fill-2[data-seekbar]{background-color:#005aff}.media-control.live[data-media-control] .media-control-layer[data-controls] .bar-container[data-seekbar] .bar-background[data-seekbar] .bar-fill-2[data-seekbar]{background-color:#ff0101}',""])},function(t,e,i){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r=i(228),n=function(t){return t&&t.__esModule?t:{default:t}}(r);e.default=n.default,t.exports=e.default},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(0),a=r(n),o=i(1),s=r(o),l=i(3),u=r(l),c=i(2),d=r(c),h=i(23),f=r(h),p=i(7),g=r(p),y=i(4),v=r(y),m=i(229),A=r(m),b=i(230),_=r(b);i(231);var E=function(t){function e(i){(0,a.default)(this,e);var r=(0,s.default)(this,t.call(this,i)),n=i.options.closedCaptionsConfig;return r._title=n&&n.title?n.title:null,r._ariaLabel=n&&n.ariaLabel?n.ariaLabel:"cc-button",r._labelCb=n&&n.labelCallback&&"function"==typeof n.labelCallback?n.labelCallback:function(t){return t.name},r}return(0,d.default)(e,t),(0,u.default)(e,[{key:"name",get:function(){return"closed_captions"}},{key:"template",get:function(){return(0,g.default)(_.default)}},{key:"events",get:function(){return{"click [data-cc-button]":"toggleContextMenu","click [data-cc-select]":"onTrackSelect"}}},{key:"attributes",get:function(){return{class:"cc-controls","data-cc-controls":""}}}]),e.prototype.bindEvents=function(){this.listenTo(this.core,v.default.CORE_ACTIVE_CONTAINER_CHANGED,this.containerChanged),this.listenTo(this.core.mediaControl,v.default.MEDIACONTROL_RENDERED,this.render),this.listenTo(this.core.mediaControl,v.default.MEDIACONTROL_HIDE,this.hideContextMenu),this.container=this.core.getCurrentContainer(),this.container&&(this.listenTo(this.container,v.default.CONTAINER_SUBTITLE_AVAILABLE,this.onSubtitleAvailable),this.listenTo(this.container,v.default.CONTAINER_SUBTITLE_CHANGED,this.onSubtitleChanged),this.listenTo(this.container,v.default.CONTAINER_STOP,this.onContainerStop))},e.prototype.onContainerStop=function(){this.ccAvailable(!1)},e.prototype.containerChanged=function(){this.ccAvailable(!1),this.stopListening(),this.bindEvents()},e.prototype.onSubtitleAvailable=function(){this.renderCcButton(),this.ccAvailable(!0)},e.prototype.onSubtitleChanged=function(t){this.setCurrentContextMenuElement(t.id)},e.prototype.onTrackSelect=function(t){var e=parseInt(t.target.dataset.ccSelect,10);return this.container.closedCaptionsTrackId=e,this.hideContextMenu(),t.stopPropagation(),!1},e.prototype.ccAvailable=function(t){var e=t?"addClass":"removeClass";this.$el[e]("available")},e.prototype.toggleContextMenu=function(){this.$el.find("ul").toggle()},e.prototype.hideContextMenu=function(){this.$el.find("ul").hide()},e.prototype.contextMenuElement=function(t){return this.$el.find("ul a"+(isNaN(t)?"":'[data-cc-select="'+t+'"]')).parent()},e.prototype.setCurrentContextMenuElement=function(t){if(this._trackId!==t){this.contextMenuElement().removeClass("current"),this.contextMenuElement(t).addClass("current");var e=t>-1?"addClass":"removeClass";this.$ccButton[e]("enabled"),this._trackId=t}},e.prototype.renderCcButton=function(){for(var t=this.container?this.container.closedCaptionsTracks:[],e=0;e<t.length;e++)t[e].label=this._labelCb(t[e]);this.$el.html(this.template({ariaLabel:this._ariaLabel,disabledLabel:this.core.i18n.t("disabled"),title:this._title,tracks:t})),this.$ccButton=this.$el.find("button.cc-button[data-cc-button]"),this.$ccButton.append(A.default),this.$el.append(this.style)},e.prototype.render=function(){this.renderCcButton();var t=this.core.mediaControl.$el.find("button[data-fullscreen]");return t[0]?this.$el.insertAfter(t):this.core.mediaControl.$el.find(".media-control-right-panel[data-media-control]").prepend(this.$el),this},e}(f.default);e.default=E,t.exports=e.default},function(t,e){t.exports='<svg version="1.1" id="Layer_1" xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" viewBox="0 0 49 41.8" style="enable-background:new 0 0 49 41.8;" xml:space="preserve"><path d="M47.1,0H3.2C1.6,0,0,1.2,0,2.8v31.5C0,35.9,1.6,37,3.2,37h11.9l3.2,1.9l4.7,2.7c0.9,0.5,2-0.1,2-1.1V37h22.1 c1.6,0,1.9-1.1,1.9-2.7V2.8C49,1.2,48.7,0,47.1,0z M7.2,18.6c0-4.8,3.5-9.3,9.9-9.3c4.8,0,7.1,2.7,7.1,2.7l-2.5,4 c0,0-1.7-1.7-4.2-1.7c-2.8,0-4.3,2.1-4.3,4.3c0,2.1,1.5,4.4,4.5,4.4c2.5,0,4.9-2.1,4.9-2.1l2.2,4.2c0,0-2.7,2.9-7.6,2.9 C10.8,27.9,7.2,23.5,7.2,18.6z M36.9,27.9c-6.4,0-9.9-4.4-9.9-9.3c0-4.8,3.5-9.3,9.9-9.3C41.7,9.3,44,12,44,12l-2.5,4 c0,0-1.7-1.7-4.2-1.7c-2.8,0-4.3,2.1-4.3,4.3c0,2.1,1.5,4.4,4.5,4.4c2.5,0,4.9-2.1,4.9-2.1l2.2,4.2C44.5,25,41.9,27.9,36.9,27.9z"></path></svg>'},function(t,e){t.exports='<button type="button" class="cc-button media-control-button media-control-icon" data-cc-button aria-label="<%= ariaLabel %>"></button>\n<ul>\n <% if (title) { %>\n <li data-title><%= title %></li>\n <% }; %>\n <li><a href="#" data-cc-select="-1"><%= disabledLabel %></a></li>\n <% for (var i = 0; i < tracks.length; i++) { %>\n <li><a href="#" data-cc-select="<%= tracks[i].id %>"><%= tracks[i].label %></a></li>\n <% }; %>\n</ul>\n'},function(t,e,i){var r=i(232);"string"==typeof r&&(r=[[t.i,r,""]]);var n={singleton:!0,hmr:!0};n.transform=void 0,n.insertInto=void 0;i(9)(r,n);r.locals&&(t.exports=r.locals)},function(t,e,i){e=t.exports=i(8)(!1),e.push([t.i,".cc-controls[data-cc-controls]{float:right;position:relative;display:none}.cc-controls[data-cc-controls].available{display:block}.cc-controls[data-cc-controls] .cc-button{padding:6px!important}.cc-controls[data-cc-controls] .cc-button.enabled{display:block;opacity:1}.cc-controls[data-cc-controls] .cc-button.enabled:hover{opacity:1;text-shadow:none}.cc-controls[data-cc-controls]>ul{list-style-type:none;position:absolute;bottom:25px;border:1px solid #000;display:none;background-color:#e6e6e6}.cc-controls[data-cc-controls] li{font-size:10px}.cc-controls[data-cc-controls] li[data-title]{background-color:#c3c2c2;padding:5px}.cc-controls[data-cc-controls] li a{color:#444;padding:2px 10px;display:block;text-decoration:none}.cc-controls[data-cc-controls] li a:hover{background-color:#555;color:#fff}.cc-controls[data-cc-controls] li a:hover a{color:#fff;text-decoration:none}.cc-controls[data-cc-controls] li.current a{color:red}",""])},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(0),a=r(n),o=i(1),s=r(o),l=i(3),u=r(l),c=i(2),d=r(c),h=i(35),f=r(h),p=i(4),g=r(p),y=i(6),v=r(y),m=i(64),A=r(m),b=i(97),_=r(b),E=(0,v.default)('link[rel="shortcut icon"]'),T=function(t){function e(i){(0,a.default)(this,e);var r=(0,s.default)(this,t.call(this,i));return r._container=null,r.configure(),r}return(0,d.default)(e,t),(0,u.default)(e,[{key:"name",get:function(){return"favicon"}},{key:"oldIcon",get:function(){return E}}]),e.prototype.configure=function(){this.core.options.changeFavicon?this.enabled||(this.stopListening(this.core,g.default.CORE_OPTIONS_CHANGE),this.enable()):this.enabled&&(this.disable(),this.listenTo(this.core,g.default.CORE_OPTIONS_CHANGE,this.configure))},e.prototype.bindEvents=function(){this.listenTo(this.core,g.default.CORE_OPTIONS_CHANGE,this.configure),this.listenTo(this.core,g.default.CORE_ACTIVE_CONTAINER_CHANGED,this.containerChanged),this.core.activeContainer&&this.containerChanged()},e.prototype.containerChanged=function(){this._container&&this.stopListening(this._container),this._container=this.core.activeContainer,this.listenTo(this._container,g.default.CONTAINER_PLAY,this.setPlayIcon),this.listenTo(this._container,g.default.CONTAINER_PAUSE,this.setPauseIcon),this.listenTo(this._container,g.default.CONTAINER_STOP,this.resetIcon),this.listenTo(this._container,g.default.CONTAINER_ENDED,this.resetIcon),this.listenTo(this._container,g.default.CONTAINER_ERROR,this.resetIcon),this.resetIcon()},e.prototype.disable=function(){t.prototype.disable.call(this),this.resetIcon()},e.prototype.destroy=function(){t.prototype.destroy.call(this),this.resetIcon()},e.prototype.createIcon=function(t){var e=(0,v.default)("<canvas/>");e[0].width=16,e[0].height=16;var i=e[0].getContext("2d");i.fillStyle="#000";var r=(0,v.default)(t).find("path").attr("d"),n=new Path2D(r);i.fill(n);var a=(0,v.default)('<link rel="shortcut icon" type="image/png"/>');return a.attr("href",e[0].toDataURL("image/png")),a},e.prototype.setPlayIcon=function(){this.playIcon||(this.playIcon=this.createIcon(A.default)),this.changeIcon(this.playIcon)},e.prototype.setPauseIcon=function(){this.pauseIcon||(this.pauseIcon=this.createIcon(_.default)),this.changeIcon(this.pauseIcon)},e.prototype.resetIcon=function(){(0,v.default)('link[rel="shortcut icon"]').remove(),(0,v.default)("head").append(this.oldIcon)},e.prototype.changeIcon=function(t){t&&((0,v.default)('link[rel="shortcut icon"]').remove(),(0,v.default)("head").append(t))},e}(f.default);e.default=T,t.exports=e.default},function(t,e,i){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r=i(235),n=function(t){return t&&t.__esModule?t:{default:t}}(r);e.default=n.default,t.exports=e.default},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(0),a=r(n),o=i(1),s=r(o),l=i(3),u=r(l),c=i(2),d=r(c),h=i(5),f=i(23),p=r(f),g=i(7),y=r(g),v=i(4),m=r(v),A=i(10),b=r(A),_=i(236),E=r(_);i(237);var T=function(t){function e(i){(0,a.default)(this,e);var r=(0,s.default)(this,t.call(this,i));return r.hoveringOverSeekBar=!1,r.hoverPosition=null,r.duration=null,r.firstFragDateTime=null,r.actualLiveTime=!!r.mediaControl.options.actualLiveTime,r.actualLiveTime&&(r.mediaControl.options.actualLiveServerTime?r.actualLiveServerTimeDiff=(new Date).getTime()-new Date(r.mediaControl.options.actualLiveServerTime).getTime():r.actualLiveServerTimeDiff=0),r}return(0,d.default)(e,t),(0,u.default)(e,[{key:"name",get:function(){return"seek_time"}},{key:"template",get:function(){return(0,y.default)(E.default)}},{key:"attributes",get:function(){return{class:"seek-time","data-seek-time":""}}},{key:"mediaControl",get:function(){return this.core.mediaControl}},{key:"mediaControlContainer",get:function(){return this.mediaControl.container}},{key:"isLiveStreamWithDvr",get:function(){return this.mediaControlContainer&&this.mediaControlContainer.getPlaybackType()===b.default.LIVE&&this.mediaControlContainer.isDvrEnabled()}},{key:"durationShown",get:function(){return this.isLiveStreamWithDvr&&!this.actualLiveTime}},{key:"useActualLiveTime",get:function(){return this.actualLiveTime&&this.isLiveStreamWithDvr}}]),e.prototype.bindEvents=function(){this.listenTo(this.mediaControl,m.default.MEDIACONTROL_RENDERED,this.render),this.listenTo(this.mediaControl,m.default.MEDIACONTROL_MOUSEMOVE_SEEKBAR,this.showTime),this.listenTo(this.mediaControl,m.default.MEDIACONTROL_MOUSELEAVE_SEEKBAR,this.hideTime),this.listenTo(this.mediaControl,m.default.MEDIACONTROL_CONTAINERCHANGED,this.onContainerChanged),this.mediaControlContainer&&(this.listenTo(this.mediaControlContainer,m.default.CONTAINER_PLAYBACKDVRSTATECHANGED,this.update),this.listenTo(this.mediaControlContainer,m.default.CONTAINER_TIMEUPDATE,this.updateDuration))},e.prototype.onContainerChanged=function(){this.stopListening(),this.bindEvents()},e.prototype.updateDuration=function(t){this.duration=t.total,this.firstFragDateTime=t.firstFragDateTime,this.update()},e.prototype.showTime=function(t){this.hoveringOverSeekBar=!0,this.calculateHoverPosition(t),this.update()},e.prototype.hideTime=function(){this.hoveringOverSeekBar=!1,this.update()},e.prototype.calculateHoverPosition=function(t){var e=t.pageX-this.mediaControl.$seekBarContainer.offset().left;this.hoverPosition=Math.min(1,Math.max(e/this.mediaControl.$seekBarContainer.width(),0))},e.prototype.getSeekTime=function(){var t=void 0,e=void 0,i=void 0,r=void 0;return this.useActualLiveTime?(this.firstFragDateTime?(r=new Date(this.firstFragDateTime),i=new Date(this.firstFragDateTime),i.setHours(0,0,0,0),e=(r.getTime()-i.getTime())/1e3+this.duration):(i=new Date((new Date).getTime()-this.actualLiveServerTimeDiff),r=new Date(i),e=(r-i.setHours(0,0,0,0))/1e3),(t=e-this.duration+this.hoverPosition*this.duration)<0&&(t+=86400)):t=this.hoverPosition*this.duration,{seekTime:t,secondsSinceMidnight:e}},e.prototype.update=function(){if(this.rendered)if(this.shouldBeVisible()){var t=this.getSeekTime(),e=(0,h.formatTime)(t.seekTime,this.useActualLiveTime);if(e!==this.displayedSeekTime&&(this.$seekTimeEl.text(e),this.displayedSeekTime=e),this.durationShown){this.$durationEl.show();var i=(0,h.formatTime)(this.actualLiveTime?t.secondsSinceMidnight:this.duration,this.actualLiveTime);i!==this.displayedDuration&&(this.$durationEl.text(i),this.displayedDuration=i)}else this.$durationEl.hide();this.$el.show();var r=this.mediaControl.$seekBarContainer.width(),n=this.$el.width(),a=this.hoverPosition*r;a-=n/2,a=Math.max(0,Math.min(a,r-n)),this.$el.css("left",a)}else this.$el.hide(),this.$el.css("left","-100%")},e.prototype.shouldBeVisible=function(){return this.mediaControlContainer&&this.mediaControlContainer.settings.seekEnabled&&this.hoveringOverSeekBar&&null!==this.hoverPosition&&null!==this.duration},e.prototype.render=function(){this.rendered=!0,this.displayedDuration=null,this.displayedSeekTime=null,this.$el.html(this.template()),this.$el.hide(),this.mediaControl.$el.append(this.el),this.$seekTimeEl=this.$el.find("[data-seek-time]"),this.$durationEl=this.$el.find("[data-duration]"),this.$durationEl.hide(),this.update()},e}(p.default);e.default=T,t.exports=e.default},function(t,e){t.exports="<span data-seek-time></span>\n<span data-duration></span>\n"},function(t,e,i){var r=i(238);"string"==typeof r&&(r=[[t.i,r,""]]);var n={singleton:!0,hmr:!0};n.transform=void 0,n.insertInto=void 0;i(9)(r,n);r.locals&&(t.exports=r.locals)},function(t,e,i){e=t.exports=i(8)(!1),e.push([t.i,'.seek-time[data-seek-time]{position:absolute;white-space:nowrap;height:20px;line-height:20px;font-size:0;left:-100%;bottom:55px;background-color:rgba(2,2,2,.5);z-index:9999;transition:opacity .1s ease}.seek-time[data-seek-time].hidden[data-seek-time]{opacity:0}.seek-time[data-seek-time] [data-seek-time]{display:inline-block;color:#fff;font-size:10px;padding-left:7px;padding-right:7px;vertical-align:top}.seek-time[data-seek-time] [data-duration]{display:inline-block;color:hsla(0,0%,100%,.5);font-size:10px;padding-right:7px;vertical-align:top}.seek-time[data-seek-time] [data-duration]:before{content:"|";margin-right:7px}',""])},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(0),a=r(n),o=i(3),s=r(o),l=i(1),u=r(l),c=i(2),d=r(c),h=i(35),f=r(h),p=i(4),g=r(p),y=function(t){function e(){return(0,a.default)(this,e),(0,u.default)(this,t.apply(this,arguments))}return(0,d.default)(e,t),e.prototype.bindEvents=function(){this.listenTo(this.core,g.default.CORE_CONTAINERS_CREATED,this.onContainersCreated)},e.prototype.onContainersCreated=function(){var t=this.core.containers.filter(function(t){return"no_op"!==t.playback.name})[0]||this.core.containers[0];t&&this.core.containers.forEach(function(e){e!==t&&e.destroy()})},(0,s.default)(e,[{key:"name",get:function(){return"sources"}}]),e}(f.default);e.default=y,t.exports=e.default},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(0),a=r(n),o=i(3),s=r(o),l=i(1),u=r(l),c=i(2),d=r(c),h=i(4),f=r(h),p=i(35),g=r(p),y=i(5),v=function(t){function e(){return(0,a.default)(this,e),(0,u.default)(this,t.apply(this,arguments))}return(0,d.default)(e,t),e.prototype.bindEvents=function(){this.listenTo(this.core,f.default.CORE_ACTIVE_CONTAINER_CHANGED,this.containerChanged);var t=this.core.activeContainer;t&&(this.listenTo(t,f.default.CONTAINER_ENDED,this.ended),this.listenTo(t,f.default.CONTAINER_STOP,this.ended))},e.prototype.containerChanged=function(){this.stopListening(),this.bindEvents()},e.prototype.ended=function(){(void 0===this.core.options.exitFullscreenOnEnd||this.core.options.exitFullscreenOnEnd)&&y.Fullscreen.isFullscreen()&&this.core.toggleFullscreen()},(0,s.default)(e,[{key:"name",get:function(){return"end_video"}}]),e}(g.default);e.default=v,t.exports=e.default},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(0),a=r(n),o=i(1),s=r(o),l=i(3),u=r(l),c=i(2),d=r(c),h=i(5),f=i(6),p=r(f),g=i(35),y=r(g),v=function(t){function e(i){(0,a.default)(this,e);var r=(0,s.default)(this,t.call(this,i));return r._initializeMessages(),r}return(0,d.default)(e,t),(0,u.default)(e,[{key:"name",get:function(){return"strings"}}]),e.prototype.t=function(t){var e=this._language(),i=this._messages.en;return(e&&this._messages[e]||i)[t]||i[t]||t},e.prototype._language=function(){return this.core.options.language||(0,h.getBrowserLanguage)()},e.prototype._initializeMessages=function(){var t={en:{live:"live",back_to_live:"back to live",disabled:"Disabled",playback_not_supported:"Your browser does not support the playback of this video. Please try using a different browser.",default_error_title:"Could not play video.",default_error_message:"There was a problem trying to load the video."},pt:{live:"ao vivo",back_to_live:"voltar para o ao vivo",disabled:"Desativado",playback_not_supported:"Seu navegador não supporta a reprodução deste video. Por favor, tente usar um navegador diferente.",default_error_title:"Não foi possível reproduzir o vídeo.",default_error_message:"Ocorreu um problema ao tentar carregar o vídeo."},es:{live:"vivo",back_to_live:"volver en vivo",disabled:"Discapacitado",playback_not_supported:"Su navegador no soporta la reproducción de un video. Por favor, trate de usar un navegador diferente."},ru:{live:"прямой эфир",back_to_live:"к прямому эфиру",disabled:"Отключено",playback_not_supported:"Ваш браузер не поддерживает воспроизведение этого видео. Пожалуйста, попробуйте другой браузер."},fr:{live:"en direct",back_to_live:"retour au direct",disabled:"Désactivé",playback_not_supported:"Votre navigateur ne supporte pas la lecture de cette vidéo. Merci de tenter sur un autre navigateur.",default_error_title:"Impossible de lire la vidéo.",default_error_message:"Un problème est survenu lors du chargement de la vidéo."},tr:{live:"canlı",back_to_live:"canlı yayına dön",disabled:"Engelli",playback_not_supported:"Tarayıcınız bu videoyu oynatma desteğine sahip değil. Lütfen farklı bir tarayıcı ile deneyin."},et:{live:"Otseülekanne",back_to_live:"Tagasi otseülekande juurde",disabled:"Keelatud",playback_not_supported:"Teie brauser ei toeta selle video taasesitust. Proovige kasutada muud brauserit."}};this._messages=p.default.extend(!0,t,this.core.options.strings||{}),this._messages["pt-BR"]=this._messages.pt,this._messages["en-US"]=this._messages.en,this._messages["es-419"]=this._messages.es,this._messages["fr-FR"]=this._messages.fr,this._messages["tr-TR"]=this._messages.tr,this._messages["et-EE"]=this._messages.et},e}(y.default);e.default=v,t.exports=e.default},function(t,e,i){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r=i(243),n=function(t){return t&&t.__esModule?t:{default:t}}(r);e.default=n.default,t.exports=e.default},function(t,e,i){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var n=i(0),a=r(n),o=i(1),s=r(o),l=i(3),u=r(l),c=i(2),d=r(c),h=i(4),f=r(h),p=i(23),g=r(p),y=i(7),v=r(y),m=i(24),A=r(m),b=i(244),_=r(b),E=i(245),T=r(E);i(246);var S=function(t){function e(i){var r;(0,a.default)(this,e);var n=(0,s.default)(this,t.call(this,i));return n.options.disableErrorScreen?(r=n.disable(),(0,s.default)(n,r)):n}return(0,d.default)(e,t),(0,u.default)(e,[{key:"name",get:function(){return"error_screen"}},{key:"template",get:function(){return(0,v.default)(T.default)}},{key:"container",get:function(){return this.core.getCurrentContainer()}},{key:"attributes",get:function(){return{class:"player-error-screen","data-error-screen":""}}}]),e.prototype.bindEvents=function(){this.listenTo(this.core,f.default.ERROR,this.onError),this.listenTo(this.core,f.default.CORE_ACTIVE_CONTAINER_CHANGED,this.onContainerChanged)},e.prototype.bindReload=function(){this.reloadButton=this.$el.find(".player-error-screen__reload"),this.reloadButton&&this.reloadButton.on("click",this.reload.bind(this))},e.prototype.reload=function(){var t=this;this.listenToOnce(this.core,f.default.CORE_READY,function(){return t.container.play()}),this.core.load(this.options.sources,this.options.mimeType),this.unbindReload()},e.prototype.unbindReload=function(){this.reloadButton&&this.reloadButton.off("click")},e.prototype.onContainerChanged=function(){this.err=null,this.unbindReload(),this.hide()},e.prototype.onError=function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};t.level===A.default.Levels.FATAL&&(this.err=t,this.container.disableMediaControl(),this.container.stop(),this.show())},e.prototype.show=function(){this.render(),this.$el.show()},e.prototype.hide=function(){this.$el.hide()},e.prototype.render=function(){if(this.err)return this.$el.html(this.template({title:this.err.UI.title,message:this.err.UI.message,code:this.err.code,icon:this.err.UI.icon||"",reloadIcon:_.default})),this.core.$el.append(this.el),this.bindReload(),this},e}(g.default);e.default=S,t.exports=e.default},function(t,e){t.exports='<svg fill="#FFFFFF" viewBox="0 0 24 24" xmlns="http://www.w3.org/2000/svg"><path d="M17.65 6.35C16.2 4.9 14.21 4 12 4c-4.42 0-7.99 3.58-7.99 8s3.57 8 7.99 8c3.73 0 6.84-2.55 7.73-6h-2.08c-.82 2.33-3.04 4-5.65 4-3.31 0-6-2.69-6-6s2.69-6 6-6c1.66 0 3.14.69 4.22 1.78L13 11h7V4l-2.35 2.35z"></path><path d="M0 0h24v24H0z" fill="none"></path></svg>'},function(t,e){t.exports='<div class="player-error-screen__content" data-error-screen>\n <% if (icon) { %>\n <div class="player-error-screen__icon" data-error-screen><%= icon %></div>\n <% } %>\n <div class="player-error-screen__title" data-error-screen><%= title %></div>\n <div class="player-error-screen__message" data-error-screen><%= message %></div>\n <div class="player-error-screen__code" data-error-screen>Error code: <%= code %></div>\n <div class="player-error-screen__reload" data-error-screen><%= reloadIcon %></div>\n</div>\n'},function(t,e,i){var r=i(247);"string"==typeof r&&(r=[[t.i,r,""]]);var n={singleton:!0,hmr:!0};n.transform=void 0,n.insertInto=void 0;i(9)(r,n);r.locals&&(t.exports=r.locals)},function(t,e,i){e=t.exports=i(8)(!1),e.push([t.i,"div.player-error-screen{-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale;color:#cccaca;position:absolute;top:0;height:100%;width:100%;background-color:rgba(0,0,0,.7);z-index:2000;display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-orient:vertical;-webkit-box-direction:normal;-ms-flex-direction:column;flex-direction:column;-webkit-box-pack:center;-ms-flex-pack:center;justify-content:center}div.player-error-screen__content[data-error-screen]{font-size:14px;color:#cccaca;margin-top:45px}div.player-error-screen__title[data-error-screen]{font-weight:700;line-height:30px;font-size:18px}div.player-error-screen__message[data-error-screen]{width:90%;margin:0 auto}div.player-error-screen__code[data-error-screen]{font-size:13px;margin-top:15px}div.player-error-screen__reload{cursor:pointer;width:30px;margin:15px auto 0}",""])}])}); \ No newline at end of file +!function(t,e){"object"==typeof exports&&"object"==typeof module?module.exports=e():"function"==typeof define&&define.amd?define([],e):"object"==typeof exports?exports.Clappr=e():t.Clappr=e()}(window,function(){return e={},f.m=d=[function(t,e,r){"use strict";e.__esModule=!0,e.default=function(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}},function(t,e,r){"use strict";e.__esModule=!0;var i,n=r(39),a=(i=n)&&i.__esModule?i:{default:i};e.default=function(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==(void 0===e?"undefined":(0,a.default)(e))&&"function"!=typeof e?t:e}},function(t,e,r){"use strict";e.__esModule=!0;var i=o(r(133)),n=o(r(76)),a=o(r(39));function o(t){return t&&t.__esModule?t:{default:t}}e.default=function(t,e){if("function"!=typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+(void 0===e?"undefined":(0,a.default)(e)));t.prototype=(0,n.default)(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(i.default?(0,i.default)(t,e):t.__proto__=e)}},function(t,e,r){"use strict";e.__esModule=!0;var i,n=r(75),a=(i=n)&&i.__esModule?i:{default:i};function o(t,e){for(var r=0;r<e.length;r++){var i=e[r];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),(0,a.default)(t,i.key,i)}}e.default=function(t,e,r){return e&&o(t.prototype,e),r&&o(t,r),t}},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var c=a(r(53)),i=a(r(0)),l=a(r(39)),f=a(r(29)),n=r(5);function a(t){return t&&t.__esModule?t:{default:t}}function h(t,e,r,i){if(!r)return!0;if("object"===(void 0===r?"undefined":(0,l.default)(r))){for(var n in r)t[e].apply(t,[n,r[n]].concat(i));return!1}if(u.test(r)){for(var a=r.split(u),o=0,s=a.length;o<s;o++)t[e].apply(t,[a[o]].concat(i));return!1}return!0}function o(t,r,i,n){var a=void 0,o=-1,s=t.length,l=r[0],u=r[1],d=r[2];!function e(){try{switch(r.length){case 0:for(;++o<s;)(a=t[o]).callback.call(a.ctx);return;case 1:for(;++o<s;)(a=t[o]).callback.call(a.ctx,l);return;case 2:for(;++o<s;)(a=t[o]).callback.call(a.ctx,l,u);return;case 3:for(;++o<s;)(a=t[o]).callback.call(a.ctx,l,u,d);return;default:for(;++o<s;)(a=t[o]).callback.apply(a.ctx,r);return}}catch(t){f.default.error.apply(f.default,[i,"error on event",n,"trigger","-",t]),e()}}()}var s=Array.prototype.slice,u=/\s+/,d=(p.prototype.on=function(t,e,r){return h(this,"on",t,[e,r])&&e&&(this._events||(this._events={}),(this._events[t]||(this._events[t]=[])).push({callback:e,context:r,ctx:r||this})),this},p.prototype.once=function(t,e,r){var i=this,n=void 0;return h(this,"once",t,[e,r])&&e?(n=function(){i.off(t,n),e.apply(this,arguments)},this.on(t,n,r)):this},p.prototype.off=function(t,e,r){var i,n,a=void 0,o=void 0,s=void 0,l=void 0,u=void 0,d=void 0;if(!this._events||!h(this,"off",t,[e,r]))return this;if(!t&&!e&&!r)return this._events=void 0,this;for(l=0,n=(i=t?[t]:(0,c.default)(this._events)).length;l<n;l++)if(t=i[l],s=this._events[t]){if(this._events[t]=a=[],e||r)for(u=0,d=s.length;u<d;u++)o=s[u],(e&&e!==o.callback&&e!==o.callback._callback||r&&r!==o.context)&&a.push(o);a.length||delete this._events[t]}return this},p.prototype.trigger=function(t){var e=this.name||this.constructor.name;if(f.default.debug.apply(f.default,[e].concat(Array.prototype.slice.call(arguments))),!this._events)return this;var r=s.call(arguments,1);if(!h(this,"trigger",t,r))return this;var i=this._events[t],n=this._events.all;return i&&o(i,r,e,t),n&&o(n,arguments,e,t),this},p.prototype.stopListening=function(t,e,r){var i=this._listeningTo;if(!i)return this;var n=!e&&!r;for(var a in r||"object"!==(void 0===e?"undefined":(0,l.default)(e))||(r=this),t&&((i={})[t._listenId]=t),i)(t=i[a]).off(e,r,this),!n&&0!==(0,c.default)(t._events).length||delete this._listeningTo[a];return this},p.register=function(t){p.Custom||(p.Custom={});var e="string"==typeof t&&t.toUpperCase().trim();e&&!p.Custom[e]?p.Custom[e]=e.toLowerCase().split("_").map(function(t,e){return 0===e?t:t=t[0].toUpperCase()+t.slice(1)}).join(""):f.default.error("Events","Error when register event: "+t)},p.listAvailableCustomEvents=function(){return p.Custom||(p.Custom={}),(0,c.default)(p.Custom).filter(function(t){return"string"==typeof p.Custom[t]})},p);function p(){(0,i.default)(this,p)}e.default=d;var g={listenTo:"on",listenToOnce:"once"};(0,c.default)(g).forEach(function(i){d.prototype[i]=function(t,e,r){return(this._listeningTo||(this._listeningTo={}))[t._listenId||(t._listenId=(0,n.uniqueId)("l"))]=t,r||"object"!==(void 0===e?"undefined":(0,l.default)(e))||(r=this),t[g[i]](e,r,this),this}}),d.PLAYER_READY="ready",d.PLAYER_RESIZE="resize",d.PLAYER_FULLSCREEN="fullscreen",d.PLAYER_PLAY="play",d.PLAYER_PAUSE="pause",d.PLAYER_STOP="stop",d.PLAYER_ENDED="ended",d.PLAYER_SEEK="seek",d.PLAYER_ERROR="playererror",d.ERROR="error",d.PLAYER_TIMEUPDATE="timeupdate",d.PLAYER_VOLUMEUPDATE="volumeupdate",d.PLAYER_SUBTITLE_AVAILABLE="subtitleavailable",d.PLAYBACK_PROGRESS="playback:progress",d.PLAYBACK_TIMEUPDATE="playback:timeupdate",d.PLAYBACK_READY="playback:ready",d.PLAYBACK_BUFFERING="playback:buffering",d.PLAYBACK_BUFFERFULL="playback:bufferfull",d.PLAYBACK_SETTINGSUPDATE="playback:settingsupdate",d.PLAYBACK_LOADEDMETADATA="playback:loadedmetadata",d.PLAYBACK_HIGHDEFINITIONUPDATE="playback:highdefinitionupdate",d.PLAYBACK_BITRATE="playback:bitrate",d.PLAYBACK_LEVELS_AVAILABLE="playback:levels:available",d.PLAYBACK_LEVEL_SWITCH_START="playback:levels:switch:start",d.PLAYBACK_LEVEL_SWITCH_END="playback:levels:switch:end",d.PLAYBACK_PLAYBACKSTATE="playback:playbackstate",d.PLAYBACK_DVR="playback:dvr",d.PLAYBACK_MEDIACONTROL_DISABLE="playback:mediacontrol:disable",d.PLAYBACK_MEDIACONTROL_ENABLE="playback:mediacontrol:enable",d.PLAYBACK_ENDED="playback:ended",d.PLAYBACK_PLAY_INTENT="playback:play:intent",d.PLAYBACK_PLAY="playback:play",d.PLAYBACK_PAUSE="playback:pause",d.PLAYBACK_SEEK="playback:seek",d.PLAYBACK_SEEKED="playback:seeked",d.PLAYBACK_STOP="playback:stop",d.PLAYBACK_ERROR="playback:error",d.PLAYBACK_STATS_ADD="playback:stats:add",d.PLAYBACK_FRAGMENT_LOADED="playback:fragment:loaded",d.PLAYBACK_LEVEL_SWITCH="playback:level:switch",d.PLAYBACK_SUBTITLE_AVAILABLE="playback:subtitle:available",d.PLAYBACK_SUBTITLE_CHANGED="playback:subtitle:changed",d.CORE_CONTAINERS_CREATED="core:containers:created",d.CORE_ACTIVE_CONTAINER_CHANGED="core:active:container:changed",d.CORE_OPTIONS_CHANGE="core:options:change",d.CORE_READY="core:ready",d.CORE_FULLSCREEN="core:fullscreen",d.CORE_RESIZE="core:resize",d.CORE_SCREEN_ORIENTATION_CHANGED="core:screen:orientation:changed",d.CORE_MOUSE_MOVE="core:mousemove",d.CORE_MOUSE_LEAVE="core:mouseleave",d.CONTAINER_PLAYBACKSTATE="container:playbackstate",d.CONTAINER_PLAYBACKDVRSTATECHANGED="container:dvr",d.CONTAINER_BITRATE="container:bitrate",d.CONTAINER_STATS_REPORT="container:stats:report",d.CONTAINER_DESTROYED="container:destroyed",d.CONTAINER_READY="container:ready",d.CONTAINER_ERROR="container:error",d.CONTAINER_LOADEDMETADATA="container:loadedmetadata",d.CONTAINER_SUBTITLE_AVAILABLE="container:subtitle:available",d.CONTAINER_SUBTITLE_CHANGED="container:subtitle:changed",d.CONTAINER_TIMEUPDATE="container:timeupdate",d.CONTAINER_PROGRESS="container:progress",d.CONTAINER_PLAY="container:play",d.CONTAINER_STOP="container:stop",d.CONTAINER_PAUSE="container:pause",d.CONTAINER_ENDED="container:ended",d.CONTAINER_CLICK="container:click",d.CONTAINER_DBLCLICK="container:dblclick",d.CONTAINER_CONTEXTMENU="container:contextmenu",d.CONTAINER_MOUSE_ENTER="container:mouseenter",d.CONTAINER_MOUSE_LEAVE="container:mouseleave",d.CONTAINER_SEEK="container:seek",d.CONTAINER_SEEKED="container:seeked",d.CONTAINER_VOLUME="container:volume",d.CONTAINER_FULLSCREEN="container:fullscreen",d.CONTAINER_STATE_BUFFERING="container:state:buffering",d.CONTAINER_STATE_BUFFERFULL="container:state:bufferfull",d.CONTAINER_SETTINGSUPDATE="container:settingsupdate",d.CONTAINER_HIGHDEFINITIONUPDATE="container:highdefinitionupdate",d.CONTAINER_MEDIACONTROL_SHOW="container:mediacontrol:show",d.CONTAINER_MEDIACONTROL_HIDE="container:mediacontrol:hide",d.CONTAINER_MEDIACONTROL_DISABLE="container:mediacontrol:disable",d.CONTAINER_MEDIACONTROL_ENABLE="container:mediacontrol:enable",d.CONTAINER_STATS_ADD="container:stats:add",d.CONTAINER_OPTIONS_CHANGE="container:options:change",d.MEDIACONTROL_RENDERED="mediacontrol:rendered",d.MEDIACONTROL_FULLSCREEN="mediacontrol:fullscreen",d.MEDIACONTROL_SHOW="mediacontrol:show",d.MEDIACONTROL_HIDE="mediacontrol:hide",d.MEDIACONTROL_MOUSEMOVE_SEEKBAR="mediacontrol:mousemove:seekbar",d.MEDIACONTROL_MOUSELEAVE_SEEKBAR="mediacontrol:mouseleave:seekbar",d.MEDIACONTROL_PLAYING="mediacontrol:playing",d.MEDIACONTROL_NOTPLAYING="mediacontrol:notplaying",d.MEDIACONTROL_CONTAINERCHANGED="mediacontrol:containerchanged",d.MEDIACONTROL_OPTIONS_CHANGE="mediacontrol:options:change",t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.SvgIcons=e.DoubleEventHandler=e.DomRecycler=e.cancelAnimationFrame=e.requestAnimationFrame=e.QueryString=e.Config=e.Fullscreen=void 0;var o=p(r(12)),i=p(r(3)),s=p(r(0)),l=p(r(1)),u=p(r(2)),n=p(r(75)),a=p(r(139));e.assign=g,e.extend=m,e.formatTime=v,e.seekStringToSeconds=T,e.uniqueId=k,e.isNumber=L,e.currentScriptUrl=R,e.getBrowserLanguage=O,e.now=P,e.removeArrayItem=D,e.listContainsIgnoreCase=function(e,t){return void 0!==e&&void 0!==t&&void 0!==t.find(function(t){return e.toLowerCase()===t.toLowerCase()})},e.canAutoPlayMedia=I,r(142);var d=p(r(14)),c=p(r(6)),f=p(r(150)),h=p(r(151));function p(t){return t&&t.__esModule?t:{default:t}}function g(t,e){if(e)for(var r in e){var i=(0,a.default)(e,r);i?(0,n.default)(t,r,i):t[r]=e[r]}return t}function m(t,n){var a,e=(a=t,(0,u.default)(o,a),o);function o(){(0,s.default)(this,o);for(var t=arguments.length,e=Array(t),r=0;r<t;r++)e[r]=arguments[r];var i=(0,l.default)(this,a.call.apply(a,[this].concat(e)));return n.initialize&&n.initialize.apply(i,e),i}return g(e.prototype,n),e}function v(t,e){if(!isFinite(t))return"--:--";t*=1e3;var r=(t=parseInt(t/1e3))%60,i=(t=parseInt(t/60))%60,n=(t=parseInt(t/60))%24,a=parseInt(t/24),o="";return a&&0<a&&(o+=a+":",n<1&&(o+="00:")),(n&&0<n||e)&&(o+=("0"+n).slice(-2)+":"),o+=("0"+i).slice(-2)+":",(o+=("0"+r).slice(-2)).trim()}var y=e.Fullscreen={fullscreenElement:function(){return document.fullscreenElement||document.webkitFullscreenElement||document.mozFullScreenElement||document.msFullscreenElement},requestFullscreen:function(t){t.requestFullscreen?t.requestFullscreen():t.webkitRequestFullscreen?t.webkitRequestFullscreen():t.mozRequestFullScreen?t.mozRequestFullScreen():t.msRequestFullscreen?t.msRequestFullscreen():t.querySelector&&t.querySelector("video")&&t.querySelector("video").webkitEnterFullScreen?t.querySelector("video").webkitEnterFullScreen():t.webkitEnterFullScreen&&t.webkitEnterFullScreen()},cancelFullscreen:function(t){var e=0<arguments.length&&void 0!==t?t:document;e.exitFullscreen?e.exitFullscreen():e.webkitCancelFullScreen?e.webkitCancelFullScreen():e.webkitExitFullscreen?e.webkitExitFullscreen():e.mozCancelFullScreen?e.mozCancelFullScreen():e.msExitFullscreen&&e.msExitFullscreen()},fullscreenEnabled:function(){return!!(document.fullscreenEnabled||document.webkitFullscreenEnabled||document.mozFullScreenEnabled||document.msFullscreenEnabled)}},A=e.Config=(_._defaultConfig=function(){return{volume:{value:100,parse:parseInt}}},_._defaultValueFor=function(t){try{return this._defaultConfig()[t].parse(this._defaultConfig()[t].value)}catch(t){return}},_._createKeyspace=function(t){return"clappr."+document.domain+"."+t},_.restore=function(t){return d.default.hasLocalstorage&&localStorage[this._createKeyspace(t)]?this._defaultConfig()[t].parse(localStorage[this._createKeyspace(t)]):this._defaultValueFor(t)},_.persist=function(t,e){if(d.default.hasLocalstorage)try{return localStorage[this._createKeyspace(t)]=e,!0}catch(t){return!1}},_);function _(){(0,s.default)(this,_)}var b=e.QueryString=(E.parse=function(t){for(var e=void 0,r=/\+/g,i=/([^&=]+)=?([^&]*)/g,n=function(t){return decodeURIComponent(t.replace(r," "))},a={};e=i.exec(t);)a[n(e[1]).toLowerCase()]=n(e[2]);return a},(0,i.default)(E,null,[{key:"params",get:function(){var t=window.location.search.substring(1);return t!==this.query&&(this._urlParams=this.parse(t),this.query=t),this._urlParams}},{key:"hashParams",get:function(){var t=window.location.hash.substring(1);return t!==this.hash&&(this._hashParams=this.parse(t),this.hash=t),this._hashParams}}]),E);function E(){(0,s.default)(this,E)}function T(){var t=0<arguments.length&&void 0!==arguments[0]?arguments[0]:"t",i=0,e=b.params[t]||b.hashParams[t]||"",r=e.match(/[0-9]+[hms]+/g)||[];if(0<r.length){var n={h:3600,m:60,s:1};r.forEach(function(t){if(t){var e=t[t.length-1],r=parseInt(t.slice(0,t.length-1),10);i+=r*n[e]}})}else e&&(i=parseInt(e,10));return i}var S={};function k(t){return S[t]||(S[t]=0),t+ ++S[t]}function L(t){return 0<=t-parseFloat(t)+1}function R(){var t=document.getElementsByTagName("script");return t.length?t[t.length-1].src:""}var C=e.requestAnimationFrame=(window.requestAnimationFrame||window.mozRequestAnimationFrame||window.webkitRequestAnimationFrame||function(t){window.setTimeout(t,1e3/60)}).bind(window),w=e.cancelAnimationFrame=(window.cancelAnimationFrame||window.mozCancelAnimationFrame||window.webkitCancelAnimationFrame||window.clearTimeout).bind(window);function O(){return window.navigator&&window.navigator.language}function P(){return window.performance&&window.performance.now?performance.now():Date.now()}function D(t,e){var r=t.indexOf(e);0<=r&&t.splice(r,1)}function I(i,t){var e=(t=(0,o.default)({inline:!1,muted:!1,timeout:250,type:"video",source:f.default.mp4,element:null},t)).element?t.element:document.createElement(t.type);e.muted=t.muted,!0===t.muted&&e.setAttribute("muted","muted"),!0===t.inline&&e.setAttribute("playsinline","playsinline"),e.src=t.source;var r=e.play(),n=setTimeout(function(){a(!1,new Error("Timeout "+t.timeout+" ms has been reached"))},t.timeout),a=function(t,e){var r=1<arguments.length&&void 0!==e?e:null;clearTimeout(n),i(t,r)};void 0!==r?r.then(function(){return a(!0)}).catch(function(t){return a(!1,t)}):a(!0)}var x=[],M=e.DomRecycler=(N.configure=function(t){this.options=c.default.extend(this.options,t)},N.create=function(t){return this.options.recycleVideo&&"video"===t&&0<x.length?x.shift():(0,c.default)("<"+t+">")},N.garbage=function(t){this.options.recycleVideo&&"VIDEO"===t[0].tagName.toUpperCase()&&(t.children().remove(),x.push(t))},N);function N(){(0,s.default)(this,N)}M.options={recycleVideo:!1};var F=e.DoubleEventHandler=(B.prototype.handle=function(t,e,r){var i=!(2<arguments.length&&void 0!==r)||r,n=(new Date).getTime(),a=n-this.lastTime;a<this.delay&&0<a&&(e(),i&&t.preventDefault()),this.lastTime=n},B);function B(){var t=0<arguments.length&&void 0!==arguments[0]?arguments[0]:500;(0,s.default)(this,B),this.delay=t,this.lastTime=0}e.SvgIcons=h.default;e.default={Config:A,Fullscreen:y,QueryString:b,DomRecycler:M,extend:m,formatTime:v,seekStringToSeconds:T,uniqueId:k,currentScriptUrl:R,isNumber:L,requestAnimationFrame:C,cancelAnimationFrame:w,getBrowserLanguage:O,now:P,removeArrayItem:D,canAutoPlayMedia:I,Media:f.default,DoubleEventHandler:F,SvgIcons:h.default}},function(Ke,Le){var Ne,Oe,Pe,Qe,nf,of,Re,Se,Te,Ue,Ve,We,Xe,Ye,Ze,$e,_e,af,bf,cf,ef,ff,gf,hf,jf,kf,lf,mf,pf,qf,rf,cn,Bn,Cn,Nq,Oq,Pq,Qq,Sq,Tq,Uq,Vq,Me=(Se=(Re=[]).concat,Te=Re.filter,Ue=Re.slice,Ve=window.document,We={},Xe={},Ye={"column-count":1,columns:1,"font-weight":1,"line-height":1,opacity:1,"z-index":1,zoom:1},Ze=/^\s*<(\w+|!)[^>]*>/,$e=/^<(\w+)\s*\/?>(?:<\/\1>|)$/,_e=/<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\w:]+)[^>]*)\/>/gi,af=/^(?:body|html)$/i,bf=/([A-Z])/g,cf=["val","css","html","text","data","width","height","offset"],ef=Ve.createElement("table"),ff=Ve.createElement("tr"),gf={tr:Ve.createElement("tbody"),tbody:ef,thead:ef,tfoot:ef,td:ff,th:ff,"*":Ve.createElement("div")},hf=/complete|loaded|interactive/,jf=/^[\w-]*$/,lf=(kf={}).toString,mf={},pf=Ve.createElement("div"),qf={tabindex:"tabIndex",readonly:"readOnly",for:"htmlFor",class:"className",maxlength:"maxLength",cellspacing:"cellSpacing",cellpadding:"cellPadding",rowspan:"rowSpan",colspan:"colSpan",usemap:"useMap",frameborder:"frameBorder",contenteditable:"contentEditable"},rf=Array.isArray||function(t){return t instanceof Array},mf.matches=function(t,e){if(!e||!t||1!==t.nodeType)return!1;var r=t.matches||t.webkitMatchesSelector||t.mozMatchesSelector||t.oMatchesSelector||t.matchesSelector;if(r)return r.call(t,e);var i,n=t.parentNode,a=!n;return a&&(n=pf).appendChild(t),i=~mf.qsa(n,e).indexOf(t),a&&pf.removeChild(t),i},nf=function(t){return t.replace(/-+(.)?/g,function(t,e){return e?e.toUpperCase():""})},of=function(r){return Te.call(r,function(t,e){return r.indexOf(t)==e})},mf.fragment=function(t,e,r){var i,n,a;return $e.test(t)&&(i=Pe(Ve.createElement(RegExp.$1))),i||(t.replace&&(t=t.replace(_e,"<$1></$2>")),e===Ne&&(e=Ze.test(t)&&RegExp.$1),e in gf||(e="*"),(a=gf[e]).innerHTML=""+t,i=Pe.each(Ue.call(a.childNodes),function(){a.removeChild(this)})),xf(r)&&(n=Pe(i),Pe.each(r,function(t,e){-1<cf.indexOf(t)?n[t](e):n.attr(t,e)})),i},mf.Z=function(t,e){return new Gf(t,e)},mf.isZ=function(t){return t instanceof mf.Z},mf.init=function(t,e){var r;if(!t)return mf.Z();if("string"==typeof t)if("<"==(t=t.trim())[0]&&Ze.test(t))r=mf.fragment(t,RegExp.$1,e),t=null;else{if(e!==Ne)return Pe(e).find(t);r=mf.qsa(Ve,t)}else{if(tf(t))return Pe(Ve).ready(t);if(mf.isZ(t))return t;if(rf(t))r=function(t){return Te.call(t,function(t){return null!=t})}(t);else if(wf(t))r=[t],t=null;else if(Ze.test(t))r=mf.fragment(t.trim(),RegExp.$1,e),t=null;else{if(e!==Ne)return Pe(e).find(t);r=mf.qsa(Ve,t)}}return mf.Z(r,t)},(Pe=function(t,e){return mf.init(t,e)}).extend=function(e){var r,t=Ue.call(arguments,1);return"boolean"==typeof e&&(r=e,e=t.shift()),t.forEach(function(t){!function t(e,r,i){for(Oe in r)i&&(xf(r[Oe])||rf(r[Oe]))?(xf(r[Oe])&&!xf(e[Oe])&&(e[Oe]={}),rf(r[Oe])&&!rf(e[Oe])&&(e[Oe]=[]),t(e[Oe],r[Oe],i)):r[Oe]!==Ne&&(e[Oe]=r[Oe])}(e,t,r)}),e},mf.qsa=function(t,e){var r,i="#"==e[0],n=!i&&"."==e[0],a=i||n?e.slice(1):e,o=jf.test(a);return t.getElementById&&o&&i?(r=t.getElementById(a))?[r]:[]:1!==t.nodeType&&9!==t.nodeType&&11!==t.nodeType?[]:Ue.call(o&&!i&&t.getElementsByClassName?n?t.getElementsByClassName(a):t.getElementsByTagName(e):t.querySelectorAll(e))},Pe.contains=Ve.documentElement.contains?function(t,e){return t!==e&&t.contains(e)}:function(t,e){for(;e&&(e=e.parentNode);)if(e===t)return!0;return!1},Pe.type=sf,Pe.isFunction=tf,Pe.isWindow=uf,Pe.isArray=rf,Pe.isPlainObject=xf,Pe.isEmptyObject=function(t){var e;for(e in t)return!1;return!0},Pe.isNumeric=function(t){var e=Number(t),r=typeof t;return null!=t&&"boolean"!=r&&("string"!=r||t.length)&&!isNaN(e)&&isFinite(e)||!1},Pe.inArray=function(t,e,r){return Re.indexOf.call(e,t,r)},Pe.camelCase=nf,Pe.trim=function(t){return null==t?"":String.prototype.trim.call(t)},Pe.uuid=0,Pe.support={},Pe.expr={},Pe.noop=function(){},Pe.map=function(t,e){var r,i,n,a=[];if(yf(t))for(i=0;i<t.length;i++)null!=(r=e(t[i],i))&&a.push(r);else for(n in t)null!=(r=e(t[n],n))&&a.push(r);return function(t){return 0<t.length?Pe.fn.concat.apply([],t):t}(a)},Pe.each=function(t,e){var r,i;if(yf(t)){for(r=0;r<t.length;r++)if(!1===e.call(t[r],r,t[r]))return t}else for(i in t)if(!1===e.call(t[i],i,t[i]))return t;return t},Pe.grep=function(t,e){return Te.call(t,e)},window.JSON&&(Pe.parseJSON=JSON.parse),Pe.each("Boolean Number String Function Array Date RegExp Object Error".split(" "),function(t,e){kf["[object "+e+"]"]=e.toLowerCase()}),Pe.fn={constructor:mf.Z,length:0,forEach:Re.forEach,reduce:Re.reduce,push:Re.push,sort:Re.sort,splice:Re.splice,indexOf:Re.indexOf,concat:function(){var t,e,r=[];for(t=0;t<arguments.length;t++)e=arguments[t],r[t]=mf.isZ(e)?e.toArray():e;return Se.apply(mf.isZ(this)?this.toArray():this,r)},map:function(r){return Pe(Pe.map(this,function(t,e){return r.call(t,e,t)}))},slice:function(){return Pe(Ue.apply(this,arguments))},ready:function(t){return hf.test(Ve.readyState)&&Ve.body?t(Pe):Ve.addEventListener("DOMContentLoaded",function(){t(Pe)},!1),this},get:function(t){return t===Ne?Ue.call(this):this[0<=t?t:t+this.length]},toArray:function(){return this.get()},size:function(){return this.length},remove:function(){return this.each(function(){null!=this.parentNode&&this.parentNode.removeChild(this)})},each:function(r){return Re.every.call(this,function(t,e){return!1!==r.call(t,e,t)}),this},filter:function(e){return tf(e)?this.not(this.not(e)):Pe(Te.call(this,function(t){return mf.matches(t,e)}))},add:function(t,e){return Pe(of(this.concat(Pe(t,e))))},is:function(t){return 0<this.length&&mf.matches(this[0],t)},not:function(e){var r=[];if(tf(e)&&e.call!==Ne)this.each(function(t){e.call(this,t)||r.push(this)});else{var i="string"==typeof e?this.filter(e):yf(e)&&tf(e.item)?Ue.call(e):Pe(e);this.forEach(function(t){i.indexOf(t)<0&&r.push(t)})}return Pe(r)},has:function(t){return this.filter(function(){return wf(t)?Pe.contains(this,t):Pe(this).find(t).size()})},eq:function(t){return-1===t?this.slice(t):this.slice(t,+t+1)},first:function(){var t=this[0];return t&&!wf(t)?t:Pe(t)},last:function(){var t=this[this.length-1];return t&&!wf(t)?t:Pe(t)},find:function(t){var r=this;return t?"object"==typeof t?Pe(t).filter(function(){var e=this;return Re.some.call(r,function(t){return Pe.contains(t,e)})}):1==this.length?Pe(mf.qsa(this[0],t)):this.map(function(){return mf.qsa(this,t)}):Pe()},closest:function(r,i){var n=[],a="object"==typeof r&&Pe(r);return this.each(function(t,e){for(;e&&!(a?0<=a.indexOf(e):mf.matches(e,r));)e=e!==i&&!vf(e)&&e.parentNode;e&&n.indexOf(e)<0&&n.push(e)}),Pe(n)},parents:function(t){for(var e=[],r=this;0<r.length;)r=Pe.map(r,function(t){if((t=t.parentNode)&&!vf(t)&&e.indexOf(t)<0)return e.push(t),t});return If(e,t)},parent:function(t){return If(of(this.pluck("parentNode")),t)},children:function(t){return If(this.map(function(){return Ff(this)}),t)},contents:function(){return this.map(function(){return this.contentDocument||Ue.call(this.childNodes)})},siblings:function(t){return If(this.map(function(t,e){return Te.call(Ff(e.parentNode),function(t){return t!==e})}),t)},empty:function(){return this.each(function(){this.innerHTML=""})},pluck:function(e){return Pe.map(this,function(t){return t[e]})},show:function(){return this.each(function(){"none"==this.style.display&&(this.style.display=""),"none"==getComputedStyle(this,"").getPropertyValue("display")&&(this.style.display=function(t){var e,r;return We[t]||(e=Ve.createElement(t),Ve.body.appendChild(e),r=getComputedStyle(e,"").getPropertyValue("display"),e.parentNode.removeChild(e),"none"==r&&(r="block"),We[t]=r),We[t]}(this.nodeName))})},replaceWith:function(t){return this.before(t).remove()},wrap:function(e){var r=tf(e);if(this[0]&&!r)var i=Pe(e).get(0),n=i.parentNode||1<this.length;return this.each(function(t){Pe(this).wrapAll(r?e.call(this,t):n?i.cloneNode(!0):i)})},wrapAll:function(t){if(this[0]){var e;for(Pe(this[0]).before(t=Pe(t));(e=t.children()).length;)t=e.first();Pe(t).append(this)}return this},wrapInner:function(n){var a=tf(n);return this.each(function(t){var e=Pe(this),r=e.contents(),i=a?n.call(this,t):n;r.length?r.wrapAll(i):e.append(i)})},unwrap:function(){return this.parent().each(function(){Pe(this).replaceWith(Pe(this).children())}),this},clone:function(){return this.map(function(){return this.cloneNode(!0)})},hide:function(){return this.css("display","none")},toggle:function(e){return this.each(function(){var t=Pe(this);(e===Ne?"none"==t.css("display"):e)?t.show():t.hide()})},prev:function(t){return Pe(this.pluck("previousElementSibling")).filter(t||"*")},next:function(t){return Pe(this.pluck("nextElementSibling")).filter(t||"*")},html:function(r){return 0 in arguments?this.each(function(t){var e=this.innerHTML;Pe(this).empty().append(Jf(this,r,t,e))}):0 in this?this[0].innerHTML:null},text:function(r){return 0 in arguments?this.each(function(t){var e=Jf(this,r,t,this.textContent);this.textContent=null==e?"":""+e}):0 in this?this.pluck("textContent").join(""):null},attr:function(e,r){var t;return"string"!=typeof e||1 in arguments?this.each(function(t){if(1===this.nodeType)if(wf(e))for(Oe in e)Kf(this,Oe,e[Oe]);else Kf(this,e,Jf(this,r,t,this.getAttribute(e)))}):0 in this&&1==this[0].nodeType&&null!=(t=this[0].getAttribute(e))?t:Ne},removeAttr:function(t){return this.each(function(){1===this.nodeType&&t.split(" ").forEach(function(t){Kf(this,t)},this)})},prop:function(e,r){return e=qf[e]||e,1 in arguments?this.each(function(t){this[e]=Jf(this,r,t,this[e])}):this[0]&&this[0][e]},removeProp:function(t){return t=qf[t]||t,this.each(function(){delete this[t]})},data:function(t,e){var r="data-"+t.replace(bf,"-$1").toLowerCase(),i=1 in arguments?this.attr(r,e):this.attr(r);return null!==i?Mf(i):Ne},val:function(e){return 0 in arguments?(null==e&&(e=""),this.each(function(t){this.value=Jf(this,e,t,this.value)})):this[0]&&(this[0].multiple?Pe(this[0]).find("option").filter(function(){return this.selected}).pluck("value"):this[0].value)},offset:function(a){if(a)return this.each(function(t){var e=Pe(this),r=Jf(this,a,t,e.offset()),i=e.offsetParent().offset(),n={top:r.top-i.top,left:r.left-i.left};"static"==e.css("position")&&(n.position="relative"),e.css(n)});if(!this.length)return null;if(Ve.documentElement!==this[0]&&!Pe.contains(Ve.documentElement,this[0]))return{top:0,left:0};var t=this[0].getBoundingClientRect();return{left:t.left+window.pageXOffset,top:t.top+window.pageYOffset,width:Math.round(t.width),height:Math.round(t.height)}},css:function(t,e){if(arguments.length<2){var r=this[0];if("string"==typeof t){if(!r)return;return r.style[nf(t)]||getComputedStyle(r,"").getPropertyValue(t)}if(rf(t)){if(!r)return;var i={},n=getComputedStyle(r,"");return Pe.each(t,function(t,e){i[e]=r.style[nf(e)]||n.getPropertyValue(e)}),i}}var a="";if("string"==sf(t))e||0===e?a=Bf(t)+":"+Df(t,e):this.each(function(){this.style.removeProperty(Bf(t))});else for(Oe in t)t[Oe]||0===t[Oe]?a+=Bf(Oe)+":"+Df(Oe,t[Oe])+";":this.each(function(){this.style.removeProperty(Bf(Oe))});return this.each(function(){this.style.cssText+=";"+a})},index:function(t){return t?this.indexOf(Pe(t)[0]):this.parent().children().indexOf(this[0])},hasClass:function(t){return!!t&&Re.some.call(this,function(t){return this.test(Lf(t))},Cf(t))},addClass:function(r){return r?this.each(function(t){if("className"in this){Qe=[];var e=Lf(this);Jf(this,r,t,e).split(/\s+/g).forEach(function(t){Pe(this).hasClass(t)||Qe.push(t)},this),Qe.length&&Lf(this,e+(e?" ":"")+Qe.join(" "))}}):this},removeClass:function(e){return this.each(function(t){if("className"in this){if(e===Ne)return Lf(this,"");Qe=Lf(this),Jf(this,e,t,Qe).split(/\s+/g).forEach(function(t){Qe=Qe.replace(Cf(t)," ")}),Lf(this,Qe.trim())}})},toggleClass:function(r,i){return r?this.each(function(t){var e=Pe(this);Jf(this,r,t,Lf(this)).split(/\s+/g).forEach(function(t){(i===Ne?!e.hasClass(t):i)?e.addClass(t):e.removeClass(t)})}):this},scrollTop:function(t){if(this.length){var e="scrollTop"in this[0];return t===Ne?e?this[0].scrollTop:this[0].pageYOffset:this.each(e?function(){this.scrollTop=t}:function(){this.scrollTo(this.scrollX,t)})}},scrollLeft:function(t){if(this.length){var e="scrollLeft"in this[0];return t===Ne?e?this[0].scrollLeft:this[0].pageXOffset:this.each(e?function(){this.scrollLeft=t}:function(){this.scrollTo(t,this.scrollY)})}},position:function(){if(this.length){var t=this[0],e=this.offsetParent(),r=this.offset(),i=af.test(e[0].nodeName)?{top:0,left:0}:e.offset();return r.top-=parseFloat(Pe(t).css("margin-top"))||0,r.left-=parseFloat(Pe(t).css("margin-left"))||0,i.top+=parseFloat(Pe(e[0]).css("border-top-width"))||0,i.left+=parseFloat(Pe(e[0]).css("border-left-width"))||0,{top:r.top-i.top,left:r.left-i.left}}},offsetParent:function(){return this.map(function(){for(var t=this.offsetParent||Ve.body;t&&!af.test(t.nodeName)&&"static"==Pe(t).css("position");)t=t.offsetParent;return t})}},Pe.fn.detach=Pe.fn.remove,["width","height"].forEach(function(i){var n=i.replace(/./,function(t){return t[0].toUpperCase()});Pe.fn[i]=function(e){var t,r=this[0];return e===Ne?uf(r)?r["inner"+n]:vf(r)?r.documentElement["scroll"+n]:(t=this.offset())&&t[i]:this.each(function(t){(r=Pe(this)).css(i,Jf(this,e,t,r[i]()))})}}),["after","prepend","before","append"].forEach(function(e,o){var s=o%2;Pe.fn[e]=function(){var r,i,n=Pe.map(arguments,function(t){var e=[];return"array"==(r=sf(t))?(t.forEach(function(t){return t.nodeType!==Ne?e.push(t):Pe.zepto.isZ(t)?e=e.concat(t.get()):void(e=e.concat(mf.fragment(t)))}),e):"object"==r||null==t?t:mf.fragment(t)}),a=1<this.length;return n.length<1?this:this.each(function(t,e){i=s?e:e.parentNode,e=0==o?e.nextSibling:1==o?e.firstChild:2==o?e:null;var r=Pe.contains(Ve.documentElement,i);n.forEach(function(t){if(a)t=t.cloneNode(!0);else if(!i)return Pe(t).remove();i.insertBefore(t,e),r&&function t(e,r){r(e);for(var i=0,n=e.childNodes.length;i<n;i++)t(e.childNodes[i],r)}(t,function(t){if(!(null==t.nodeName||"SCRIPT"!==t.nodeName.toUpperCase()||t.type&&"text/javascript"!==t.type||t.src)){var e=t.ownerDocument?t.ownerDocument.defaultView:window;e.eval.call(e,t.innerHTML)}})})})},Pe.fn[s?e+"To":"insert"+(o?"Before":"After")]=function(t){return Pe(t)[e](this),this}}),mf.Z.prototype=Gf.prototype=Pe.fn,mf.uniq=of,mf.deserializeValue=Mf,Pe.zepto=mf,Pe);function sf(t){return null==t?String(t):kf[lf.call(t)]||"object"}function tf(t){return"function"==sf(t)}function uf(t){return null!=t&&t==t.window}function vf(t){return null!=t&&t.nodeType==t.DOCUMENT_NODE}function wf(t){return"object"==sf(t)}function xf(t){return wf(t)&&!uf(t)&&Object.getPrototypeOf(t)==Object.prototype}function yf(t){var e=!!t&&"length"in t&&t.length,r=Pe.type(t);return"function"!=r&&!uf(t)&&("array"==r||0===e||"number"==typeof e&&0<e&&e-1 in t)}function Bf(t){return t.replace(/::/g,"/").replace(/([A-Z]+)([A-Z][a-z])/g,"$1_$2").replace(/([a-z\d])([A-Z])/g,"$1_$2").replace(/_/g,"-").toLowerCase()}function Cf(t){return t in Xe?Xe[t]:Xe[t]=new RegExp("(^|\\s)"+t+"(\\s|$)")}function Df(t,e){return"number"!=typeof e||Ye[Bf(t)]?e:e+"px"}function Ff(t){return"children"in t?Ue.call(t.children):Pe.map(t.childNodes,function(t){if(1==t.nodeType)return t})}function Gf(t,e){var r,i=t?t.length:0;for(r=0;r<i;r++)this[r]=t[r];this.length=i,this.selector=e||""}function If(t,e){return null==e?Pe(t):Pe(t).filter(e)}function Jf(t,e,r,i){return tf(e)?e.call(t,r,i):e}function Kf(t,e,r){null==r?t.removeAttribute(e):t.setAttribute(e,r)}function Lf(t,e){var r=t.className||"",i=r&&r.baseVal!==Ne;if(e===Ne)return i?r.baseVal:r;i?r.baseVal=e:t.className=e}function Mf(e){try{return e?"true"==e||"false"!=e&&("null"==e?null:+e+""==e?+e:/^[\[\{]/.test(e)?Pe.parseJSON(e):e):e}catch(t){return e}}function Dn(t){var n=[["resolve","done",Bn.Callbacks({once:1,memory:1}),"resolved"],["reject","fail",Bn.Callbacks({once:1,memory:1}),"rejected"],["notify","progress",Bn.Callbacks({memory:1})]],a="pending",o={state:function(){return a},always:function(){return s.done(arguments).fail(arguments),this},then:function(){var e=arguments;return Dn(function(a){Bn.each(n,function(t,i){var n=Bn.isFunction(e[t])&&e[t];s[i[1]](function(){var t=n&&n.apply(this,arguments);if(t&&Bn.isFunction(t.promise))t.promise().done(a.resolve).fail(a.reject).progress(a.notify);else{var e=this===o?a.promise():this,r=n?[t]:arguments;a[i[0]+"With"](e,r)}})}),e=null}).promise()},promise:function(t){return null!=t?Bn.extend(t,o):o}},s={};return Bn.each(n,function(t,e){var r=e[2],i=e[3];o[e[1]]=r.add,i&&r.add(function(){a=i},n[1^t][2].disable,n[2][2].lock),s[e[0]]=function(){return s[e[0]+"With"](this===s?o:this,arguments),this},s[e[0]+"With"]=r.fireWith}),o.promise(s),t&&t.call(s,s),s}function Rq(t){return!(!(t=Nq(t)).width()&&!t.height())&&"none"!==t.css("display")}function Wq(t,e){t=t.replace(/=#\]/g,'="#"]');var r,i,n=Tq.exec(t);if(n&&n[2]in Sq&&(r=Sq[n[2]],i=n[3],t=n[1],i)){var a=Number(i);i=isNaN(a)?i.replace(/^["']|["']$/g,""):a}return e(t,r,i)}window.Zepto=Me,void 0===window.$&&(window.$=Me),function(Lk){var Ok,Pk,Mk=+new Date,Nk=window.document,Qk=/<script\b[^<]*(?:(?!<\/script>)<[^<]*)*<\/script>/gi,Rk=/^(?:text|application)\/javascript/i,Sk=/^(?:text|application)\/xml/i,Tk="application/json",Uk="text/html",Vk=/^\s*$/,Wk=Nk.createElement("a");function Yk(t,e,r,i){if(t.global)return function(t,e,r){var i=Lk.Event(e);return Lk(t).trigger(i,r),!i.isDefaultPrevented()}(e||Nk,r,i)}function _k(t,e){var r=e.context;if(!1===e.beforeSend.call(r,t,e)||!1===Yk(e,r,"ajaxBeforeSend",[t,e]))return!1;Yk(e,r,"ajaxSend",[t,e])}function al(t,e,r,i){var n=r.context,a="success";r.success.call(n,t,a,e),i&&i.resolveWith(n,[t,a,e]),Yk(r,n,"ajaxSuccess",[e,r,t]),cl(a,e,r)}function bl(t,e,r,i,n){var a=i.context;i.error.call(a,r,e,t),n&&n.rejectWith(a,[r,e,t]),Yk(i,a,"ajaxError",[r,i,t||e]),cl(e,r,i)}function cl(t,e,r){var i=r.context;r.complete.call(i,e,t),Yk(r,i,"ajaxComplete",[e,r]),function(t){t.global&&!--Lk.active&&Yk(t,null,"ajaxStop")}(r)}function el(){}function gl(t,e){return""==e?t:(t+"&"+e).replace(/[&?]{1,2}/,"?")}function il(t,e,r,i){return Lk.isFunction(e)&&(i=r,r=e,e=void 0),Lk.isFunction(r)||(i=r,r=void 0),{url:t,data:e,success:r,dataType:i}}Wk.href=window.location.href,Lk.active=0,Lk.ajaxJSONP=function(r,i){if(!("type"in r))return Lk.ajax(r);function t(t){Lk(s).triggerHandler("error",t||"abort")}var n,a,e=r.jsonpCallback,o=(Lk.isFunction(e)?e():e)||"Zepto"+Mk++,s=Nk.createElement("script"),l=window[o],u={abort:t};return i&&i.promise(u),Lk(s).on("load error",function(t,e){clearTimeout(a),Lk(s).off().remove(),"error"!=t.type&&n?al(n[0],u,r,i):bl(null,e||"error",u,r,i),window[o]=l,n&&Lk.isFunction(l)&&l(n[0]),l=n=void 0}),!1===_k(u,r)?t("abort"):(window[o]=function(){n=arguments},s.src=r.url.replace(/\?(.+)=\?/,"?$1="+o),Nk.head.appendChild(s),0<r.timeout&&(a=setTimeout(function(){t("timeout")},r.timeout))),u},Lk.ajaxSettings={type:"GET",beforeSend:el,success:el,error:el,complete:el,context:null,global:!0,xhr:function(){return new window.XMLHttpRequest},accepts:{script:"text/javascript, application/javascript, application/x-javascript",json:Tk,xml:"application/xml, text/xml",html:Uk,text:"text/plain"},crossDomain:!1,timeout:0,processData:!0,cache:!0,dataFilter:el},Lk.ajax=function(hm){var km,lm,im=Lk.extend({},hm||{}),jm=Lk.Deferred&&Lk.Deferred();for(Ok in Lk.ajaxSettings)void 0===im[Ok]&&(im[Ok]=Lk.ajaxSettings[Ok]);!function(t){t.global&&0==Lk.active++&&Yk(t,null,"ajaxStart")}(im),im.crossDomain||((km=Nk.createElement("a")).href=im.url,km.href=km.href,im.crossDomain=Wk.protocol+"//"+Wk.host!=km.protocol+"//"+km.host),im.url||(im.url=window.location.toString()),-1<(lm=im.url.indexOf("#"))&&(im.url=im.url.slice(0,lm)),function(t){t.processData&&t.data&&"string"!=Lk.type(t.data)&&(t.data=Lk.param(t.data,t.traditional)),!t.data||t.type&&"GET"!=t.type.toUpperCase()&&"jsonp"!=t.dataType||(t.url=gl(t.url,t.data),t.data=void 0)}(im);var mm=im.dataType,nm=/\?.+=\?/.test(im.url);if(nm&&(mm="jsonp"),!1!==im.cache&&(hm&&!0===hm.cache||"script"!=mm&&"jsonp"!=mm)||(im.url=gl(im.url,"_="+Date.now())),"jsonp"==mm)return nm||(im.url=gl(im.url,im.jsonp?im.jsonp+"=?":!1===im.jsonp?"":"callback=?")),Lk.ajaxJSONP(im,jm);function qm(t,e){pm[t.toLowerCase()]=[t,e]}var um,om=im.accepts[mm],pm={},rm=/^([\w-]+:)\/\//.test(im.url)?RegExp.$1:window.location.protocol,sm=im.xhr(),tm=sm.setRequestHeader;if(jm&&jm.promise(sm),im.crossDomain||qm("X-Requested-With","XMLHttpRequest"),qm("Accept",om||"*/*"),(om=im.mimeType||om)&&(-1<om.indexOf(",")&&(om=om.split(",",2)[0]),sm.overrideMimeType&&sm.overrideMimeType(om)),(im.contentType||!1!==im.contentType&&im.data&&"GET"!=im.type.toUpperCase())&&qm("Content-Type",im.contentType||"application/x-www-form-urlencoded"),im.headers)for(Pk in im.headers)qm(Pk,im.headers[Pk]);if(sm.setRequestHeader=qm,!(sm.onreadystatechange=function(){if(4==sm.readyState){sm.onreadystatechange=el,clearTimeout(um);var ym,zm=!1;if(200<=sm.status&&sm.status<300||304==sm.status||0==sm.status&&"file:"==rm){if(mm=mm||function(t){return t&&(t=t.split(";",2)[0]),t&&(t==Uk?"html":t==Tk?"json":Rk.test(t)?"script":Sk.test(t)&&"xml")||"text"}(im.mimeType||sm.getResponseHeader("content-type")),"arraybuffer"==sm.responseType||"blob"==sm.responseType)ym=sm.response;else{ym=sm.responseText;try{ym=function(t,e,r){if(r.dataFilter==el)return t;var i=r.context;return r.dataFilter.call(i,t,e)}(ym,mm,im),"script"==mm?eval(ym):"xml"==mm?ym=sm.responseXML:"json"==mm&&(ym=Vk.test(ym)?null:Lk.parseJSON(ym))}catch(t){zm=t}if(zm)return bl(zm,"parsererror",sm,im,jm)}al(ym,sm,im,jm)}else bl(sm.statusText||null,sm.status?"error":"abort",sm,im,jm)}})===_k(sm,im))return sm.abort(),bl(null,"abort",sm,im,jm),sm;var vm=!("async"in im)||im.async;if(sm.open(im.type,im.url,vm,im.username,im.password),im.xhrFields)for(Pk in im.xhrFields)sm[Pk]=im.xhrFields[Pk];for(Pk in pm)tm.apply(sm,pm[Pk]);return 0<im.timeout&&(um=setTimeout(function(){sm.onreadystatechange=el,sm.abort(),bl(null,"timeout",sm,im,jm)},im.timeout)),sm.send(im.data?im.data:null),sm},Lk.get=function(){return Lk.ajax(il.apply(null,arguments))},Lk.post=function(){var t=il.apply(null,arguments);return t.type="POST",Lk.ajax(t)},Lk.getJSON=function(){var t=il.apply(null,arguments);return t.dataType="json",Lk.ajax(t)},Lk.fn.load=function(t,e,r){if(!this.length)return this;var i,n=this,a=t.split(/\s/),o=il(t,e,r),s=o.success;return 1<a.length&&(o.url=a[0],i=a[1]),o.success=function(t){n.html(i?Lk("<div>").html(t.replace(Qk,"")).find(i):t),s&&s.apply(n,arguments)},Lk.ajax(o),this};var jl=encodeURIComponent;Lk.param=function(t,e){var r=[];return r.add=function(t,e){Lk.isFunction(e)&&(e=e()),null==e&&(e=""),this.push(jl(t)+"="+jl(e))},function r(i,t,n,a){var o,s=Lk.isArray(t),l=Lk.isPlainObject(t);Lk.each(t,function(t,e){o=Lk.type(e),a&&(t=n?a:a+"["+(l||"object"==o||"array"==o?t:"")+"]"),!a&&s?i.add(e.name,e.value):"array"==o||!n&&"object"==o?r(i,e,n,t):i.add(t,e)})}(r,t,e),r.join("&").replace(/%20/g,"+")}}(Me),(cn=Me).Callbacks=function(i){i=cn.extend({},i);var e,r,n,a,o,s,l=[],u=!i.once&&[],d=function(t){for(e=i.memory&&t,r=!0,s=a||0,a=0,o=l.length,n=!0;l&&s<o;++s)if(!1===l[s].apply(t[0],t[1])&&i.stopOnFalse){e=!1;break}n=!1,l&&(u?u.length&&d(u.shift()):e?l.length=0:c.disable())},c={add:function(){if(l){var t=l.length,r=function(t){cn.each(t,function(t,e){"function"==typeof e?i.unique&&c.has(e)||l.push(e):e&&e.length&&"string"!=typeof e&&r(e)})};r(arguments),n?o=l.length:e&&(a=t,d(e))}return this},remove:function(){return l&&cn.each(arguments,function(t,e){for(var r;-1<(r=cn.inArray(e,l,r));)l.splice(r,1),n&&(r<=o&&--o,r<=s&&--s)}),this},has:function(t){return!(!l||!(t?-1<cn.inArray(t,l):l.length))},empty:function(){return o=l.length=0,this},disable:function(){return l=u=e=void 0,this},disabled:function(){return!l},lock:function(){return u=void 0,e||c.disable(),this},locked:function(){return!u},fireWith:function(t,e){return!l||r&&!u||(e=[t,(e=e||[]).slice?e.slice():e],n?u.push(e):d(e)),this},fire:function(){return c.fireWith(this,arguments)},fired:function(){return!!r}};return c},Bn=Me,Cn=Array.prototype.slice,Bn.when=function(t){function e(e,r,i){return function(t){r[e]=this,i[e]=1<arguments.length?Cn.call(arguments):t,i===n?u.notifyWith(r,i):--l||u.resolveWith(r,i)}}var n,r,i,a=Cn.call(arguments),o=a.length,s=0,l=1!==o||t&&Bn.isFunction(t.promise)?o:0,u=1===l?t:Dn();if(1<o)for(n=new Array(o),r=new Array(o),i=new Array(o);s<o;++s)a[s]&&Bn.isFunction(a[s].promise)?a[s].promise().done(e(s,i,a)).fail(u.reject).progress(e(s,r,n)):--l;return l||u.resolveWith(i,a),u.promise()},Bn.Deferred=Dn,function(d){function u(t){return"string"==typeof t}var c,e=1,f=Array.prototype.slice,h=d.isFunction,p={},a={},r="onfocusin"in window,i={focus:"focusin",blur:"focusout"},g={mouseenter:"mouseover",mouseleave:"mouseout"};function m(t){return t._zid||(t._zid=e++)}function o(t,e,r,i){if((e=v(e)).ns)var n=function(t){return new RegExp("(?:^| )"+t.replace(" "," .* ?")+"(?: |$)")}(e.ns);return(p[m(t)]||[]).filter(function(t){return t&&(!e.e||t.e==e.e)&&(!e.ns||n.test(t.ns))&&(!r||m(t.fn)===m(r))&&(!i||t.sel==i)})}function v(t){var e=(""+t).split(".");return{e:e[0],ns:e.slice(1).sort().join(" ")}}function y(t,e){return t.del&&!r&&t.e in i||!!e}function A(t){return g[t]||r&&i[t]||t}function _(n,t,e,a,o,s,l){var r=m(n),u=p[r]||(p[r]=[]);t.split(/\s/).forEach(function(t){if("ready"==t)return d(document).ready(e);var r=v(t);r.fn=e,r.sel=o,r.e in g&&(e=function(t){var e=t.relatedTarget;if(!e||e!==this&&!d.contains(this,e))return r.fn.apply(this,arguments)});var i=(r.del=s)||e;r.proxy=function(t){if(!(t=T(t)).isImmediatePropagationStopped()){t.data=a;var e=i.apply(n,t._args==c?[t]:[t].concat(t._args));return!1===e&&(t.preventDefault(),t.stopPropagation()),e}},r.i=u.length,u.push(r),"addEventListener"in n&&n.addEventListener(A(r.e),r.proxy,y(r,l))})}function b(e,t,r,i,n){var a=m(e);(t||"").split(/\s/).forEach(function(t){o(e,t,r,i).forEach(function(t){delete p[a][t.i],"removeEventListener"in e&&e.removeEventListener(A(t.e),t.proxy,y(t,n))})})}a.click=a.mousedown=a.mouseup=a.mousemove="MouseEvents",d.event={add:_,remove:b},d.proxy=function(t,e){var r=2 in arguments&&f.call(arguments,2);if(h(t)){function i(){return t.apply(e,r?r.concat(f.call(arguments)):arguments)}return i._zid=m(t),i}if(u(e))return r?(r.unshift(t[e],t),d.proxy.apply(null,r)):d.proxy(t[e],t);throw new TypeError("expected function")},d.fn.bind=function(t,e,r){return this.on(t,e,r)},d.fn.unbind=function(t,e){return this.off(t,e)},d.fn.one=function(t,e,r,i){return this.on(t,e,r,i,1)};var s=function(){return!0},E=function(){return!1},n=/^([A-Z]|returnValue$|layer[XY]$|webkitMovement[XY]$)/,t={preventDefault:"isDefaultPrevented",stopImmediatePropagation:"isImmediatePropagationStopped",stopPropagation:"isPropagationStopped"};function T(i,n){return!n&&i.isDefaultPrevented||(n||(n=i),d.each(t,function(t,e){var r=n[t];i[t]=function(){return this[e]=s,r&&r.apply(n,arguments)},i[e]=E}),i.timeStamp||(i.timeStamp=Date.now()),(n.defaultPrevented!==c?n.defaultPrevented:"returnValue"in n?!1===n.returnValue:n.getPreventDefault&&n.getPreventDefault())&&(i.isDefaultPrevented=s)),i}function S(t){var e,r={originalEvent:t};for(e in t)n.test(e)||t[e]===c||(r[e]=t[e]);return T(r,t)}d.fn.delegate=function(t,e,r){return this.on(e,t,r)},d.fn.undelegate=function(t,e,r){return this.off(e,t,r)},d.fn.live=function(t,e){return d(document.body).delegate(this.selector,t,e),this},d.fn.die=function(t,e){return d(document.body).undelegate(this.selector,t,e),this},d.fn.on=function(e,n,r,a,o){var s,l,i=this;return e&&!u(e)?(d.each(e,function(t,e){i.on(t,n,r,e,o)}),i):(u(n)||h(a)||!1===a||(a=r,r=n,n=c),a!==c&&!1!==r||(a=r,r=c),!1===a&&(a=E),i.each(function(t,i){o&&(s=function(t){return b(i,t.type,a),a.apply(this,arguments)}),n&&(l=function(t){var e,r=d(t.target).closest(n,i).get(0);if(r&&r!==i)return e=d.extend(S(t),{currentTarget:r,liveFired:i}),(s||a).apply(r,[e].concat(f.call(arguments,1)))}),_(i,e,a,r,n,l||s)}))},d.fn.off=function(t,r,e){var i=this;return t&&!u(t)?(d.each(t,function(t,e){i.off(t,r,e)}),i):(u(r)||h(e)||!1===e||(e=r,r=c),!1===e&&(e=E),i.each(function(){b(this,t,e,r)}))},d.fn.trigger=function(t,e){return(t=u(t)||d.isPlainObject(t)?d.Event(t):T(t))._args=e,this.each(function(){t.type in i&&"function"==typeof this[t.type]?this[t.type]():"dispatchEvent"in this?this.dispatchEvent(t):d(this).triggerHandler(t,e)})},d.fn.triggerHandler=function(r,i){var n,a;return this.each(function(t,e){(n=S(u(r)?d.Event(r):r))._args=i,n.target=e,d.each(o(e,r.type||r),function(t,e){if(a=e.proxy(n),n.isImmediatePropagationStopped())return!1})}),a},"focusin focusout focus blur load resize scroll unload click dblclick mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave change select keydown keypress keyup error".split(" ").forEach(function(e){d.fn[e]=function(t){return 0 in arguments?this.bind(e,t):this.trigger(e)}}),d.Event=function(t,e){u(t)||(t=(e=t).type);var r=document.createEvent(a[t]||"Events"),i=!0;if(e)for(var n in e)"bubbles"==n?i=!!e[n]:r[n]=e[n];return r.initEvent(t,i,!0),T(r)}}(Me),function(){try{getComputedStyle(void 0)}catch(t){var r=getComputedStyle;window.getComputedStyle=function(t,e){try{return r(t,e)}catch(t){return null}}}}(),Oq=(Nq=Me).zepto,Pq=Oq.qsa,Qq=Oq.matches,Sq=Nq.expr[":"]={visible:function(){if(Rq(this))return this},hidden:function(){if(!Rq(this))return this},selected:function(){if(this.selected)return this},checked:function(){if(this.checked)return this},parent:function(){return this.parentNode},first:function(t){if(0===t)return this},last:function(t,e){if(t===e.length-1)return this},eq:function(t,e,r){if(t===r)return this},contains:function(t,e,r){if(-1<Nq(this).text().indexOf(r))return this},has:function(t,e,r){if(Oq.qsa(this,r).length)return this}},Tq=new RegExp("(.*):(\\w+)(?:\\(([^)]+)\\))?$\\s*"),Uq=/^\s*>/,Vq="Zepto"+ +new Date,Oq.qsa=function(a,o){return Wq(o,function(t,r,i){try{var e;!t&&r?t="*":Uq.test(t)&&(e=Nq(a).addClass(Vq),t="."+Vq+" "+t);var n=Pq(a,t)}catch(t){throw console.error("error performing selector: %o",o),t}finally{e&&e.removeClass(Vq)}return r?Oq.uniq(Nq.map(n,function(t,e){return r.call(t,e,n,i)})):n})},Oq.matches=function(i,t){return Wq(t,function(t,e,r){return(!t||Qq(i,t))&&(!e||e.call(i,null,r)===i)})},Ke.exports=Me},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});function n(t){return null===t?"":(""+t).replace(o,function(t){return a[t]})}function i(a,t){var e,r=new RegExp([(l.escape||u).source,(l.interpolate||u).source,(l.evaluate||u).source].join("|")+"|$","g"),o=0,s="__p+='";a.replace(r,function(t,e,r,i,n){return s+=a.slice(o,n).replace(c,function(t){return"\\"+d[t]}),e&&(s+="'+\n((__t=("+e+"))==null?'':escapeExpr(__t))+\n'"),r&&(s+="'+\n((__t=("+r+"))==null?'':__t)+\n'"),i&&(s+="';\n"+i+"\n__p+='"),o=n+t.length,t}),s+="';\n",l.variable||(s="with(obj||{}){\n"+s+"}\n"),s="var __t,__p='',__j=Array.prototype.join,print=function(){__p+=__j.call(arguments,'');};\n"+s+"return __p;\n//# sourceURL=/microtemplates/source["+f+++"]";try{e=new Function(l.variable||"obj","escapeExpr",s)}catch(t){throw t.source=s,t}if(t)return e(t,n);function i(t){return e.call(this,t,n)}return i.source="function("+(l.variable||"obj")+"){\n"+s+"}",i}var l={evaluate:/<%([\s\S]+?)%>/g,interpolate:/<%=([\s\S]+?)%>/g,escape:/<%-([\s\S]+?)%>/g},u=/(.)^/,d={"'":"'","\\":"\\","\r":"r","\n":"n","\t":"t","\u2028":"u2028","\u2029":"u2029"},c=/\\|'|\r|\n|\t|\u2028|\u2029/g,a={"&":"&","<":"<",">":">",'"':""","'":"'"},o=new RegExp("[&<>\"']","g"),f=0;i.settings=l,e.default=i,t.exports=e.default},function(t,e){t.exports=function(r){var o=[];return o.toString=function(){return this.map(function(t){var e=function(t,e){var r=t[1]||"",i=t[3];if(!i)return r;if(e&&"function"==typeof btoa){var n=function(t){return"/*# sourceMappingURL=data:application/json;charset=utf-8;base64,"+btoa(unescape(encodeURIComponent(JSON.stringify(t))))+" */"}(i),a=i.sources.map(function(t){return"/*# sourceURL="+i.sourceRoot+t+" */"});return[r].concat(a).concat([n]).join("\n")}return[r].join("\n")}(t,r);return t[2]?"@media "+t[2]+"{"+e+"}":e}).join("")},o.i=function(t,e){"string"==typeof t&&(t=[[null,t,""]]);for(var r={},i=0;i<this.length;i++){var n=this[i][0];"number"==typeof n&&(r[n]=!0)}for(i=0;i<t.length;i++){var a=t[i];"number"==typeof a[0]&&r[a[0]]||(e&&!a[2]?a[2]=e:e&&(a[2]="("+a[2]+") and ("+e+")"),o.push(a))}},o}},function(t,e){var r=t.exports={version:"2.4.0"};"number"==typeof __e&&(__e=r)},function(t,e,r){var i,n,a,l={},u=(i=function(){return window&&document&&document.all&&!window.atob},function(){return void 0===n&&(n=i.apply(this,arguments)),n}),o=(a={},function(t){if("function"==typeof t)return t();if(void 0===a[t]){var e=function(t){return document.querySelector(t)}.call(this,t);if(window.HTMLIFrameElement&&e instanceof window.HTMLIFrameElement)try{e=e.contentDocument.head}catch(t){e=null}a[t]=e}return a[t]}),s=null,d=0,c=[],f=r(172);function h(t,e){for(var r=0;r<t.length;r++){var i=t[r],n=l[i.id];if(n){n.refs++;for(var a=0;a<n.parts.length;a++)n.parts[a](i.parts[a]);for(;a<i.parts.length;a++)n.parts.push(A(i.parts[a],e))}else{var o=[];for(a=0;a<i.parts.length;a++)o.push(A(i.parts[a],e));l[i.id]={id:i.id,refs:1,parts:o}}}}function p(t,e){for(var r=[],i={},n=0;n<t.length;n++){var a=t[n],o=e.base?a[0]+e.base:a[0],s={css:a[1],media:a[2],sourceMap:a[3]};i[o]?i[o].parts.push(s):r.push(i[o]={id:o,parts:[s]})}return r}function g(t,e){var r=o(t.insertInto);if(!r)throw new Error("Couldn't find a style target. This probably means that the value for the 'insertInto' parameter is invalid.");var i=c[c.length-1];if("top"===t.insertAt)i?i.nextSibling?r.insertBefore(e,i.nextSibling):r.appendChild(e):r.insertBefore(e,r.firstChild),c.push(e);else if("bottom"===t.insertAt)r.appendChild(e);else{if("object"!=typeof t.insertAt||!t.insertAt.before)throw new Error("[Style Loader]\n\n Invalid value for parameter 'insertAt' ('options.insertAt') found.\n Must be 'top', 'bottom', or Object.\n (https://github.com/webpack-contrib/style-loader#insertat)\n");var n=o(t.insertInto+" "+t.insertAt.before);r.insertBefore(e,n)}}function m(t){if(null===t.parentNode)return!1;t.parentNode.removeChild(t);var e=c.indexOf(t);0<=e&&c.splice(e,1)}function v(t){var e=document.createElement("style");return t.attrs.type="text/css",y(e,t.attrs),g(t,e),e}function y(e,r){Object.keys(r).forEach(function(t){e.setAttribute(t,r[t])})}function A(e,t){var r,i,n,a;if(t.transform&&e.css){if(!(a=t.transform(e.css)))return function(){};e.css=a}if(t.singleton){var o=d++;r=s||(s=v(t)),i=E.bind(null,r,o,!1),n=E.bind(null,r,o,!0)}else n=e.sourceMap&&"function"==typeof URL&&"function"==typeof URL.createObjectURL&&"function"==typeof URL.revokeObjectURL&&"function"==typeof Blob&&"function"==typeof btoa?(r=function(t){var e=document.createElement("link");return t.attrs.type="text/css",t.attrs.rel="stylesheet",y(e,t.attrs),g(t,e),e}(t),i=function(t,e,r){var i=r.css,n=r.sourceMap,a=void 0===e.convertToAbsoluteUrls&&n;(e.convertToAbsoluteUrls||a)&&(i=f(i));n&&(i+="\n/*# sourceMappingURL=data:application/json;base64,"+btoa(unescape(encodeURIComponent(JSON.stringify(n))))+" */");var o=new Blob([i],{type:"text/css"}),s=t.href;t.href=URL.createObjectURL(o),s&&URL.revokeObjectURL(s)}.bind(null,r,t),function(){m(r),r.href&&URL.revokeObjectURL(r.href)}):(r=v(t),i=function(t,e){var r=e.css,i=e.media;i&&t.setAttribute("media",i);if(t.styleSheet)t.styleSheet.cssText=r;else{for(;t.firstChild;)t.removeChild(t.firstChild);t.appendChild(document.createTextNode(r))}}.bind(null,r),function(){m(r)});return i(e),function(t){if(t){if(t.css===e.css&&t.media===e.media&&t.sourceMap===e.sourceMap)return;i(e=t)}else n()}}t.exports=function(t,o){if("undefined"!=typeof DEBUG&&DEBUG&&"object"!=typeof document)throw new Error("The style-loader cannot be used in a non-browser environment");(o=o||{}).attrs="object"==typeof o.attrs?o.attrs:{},o.singleton||"boolean"==typeof o.singleton||(o.singleton=u()),o.insertInto||(o.insertInto="head"),o.insertAt||(o.insertAt="bottom");var s=p(t,o);return h(s,o),function(t){for(var e=[],r=0;r<s.length;r++){var i=s[r];(n=l[i.id]).refs--,e.push(n)}t&&h(p(t,o),o);for(r=0;r<e.length;r++){var n;if(0===(n=e[r]).refs){for(var a=0;a<n.parts.length;a++)n.parts[a]();delete l[n.id]}}}};var _,b=(_=[],function(t,e){return _[t]=e,_.filter(Boolean).join("\n")});function E(t,e,r,i){var n=r?"":i.css;if(t.styleSheet)t.styleSheet.cssText=b(e,n);else{var a=document.createTextNode(n),o=t.childNodes;o[e]&&t.removeChild(o[e]),o.length?t.insertBefore(a,o[e]):t.appendChild(a)}}},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=f(r(12)),n=f(r(0)),a=f(r(1)),o=f(r(3)),s=f(r(2)),l=r(5),u=f(r(30)),d=f(r(20)),c=f(r(6));function f(t){return t&&t.__esModule?t:{default:t}}var h,p=(h=u.default,(0,s.default)(g,h),(0,o.default)(g,[{key:"isAudioOnly",get:function(){return!1}},{key:"isAdaptive",get:function(){return!1}},{key:"ended",get:function(){return!1}},{key:"i18n",get:function(){return this._i18n}},{key:"buffering",get:function(){return!1}},{key:"consented",get:function(){return this._consented}}]),g.prototype.consent=function(){this._consented=!0},g.prototype.play=function(){},g.prototype.pause=function(){},g.prototype.stop=function(){},g.prototype.seek=function(t){},g.prototype.seekPercentage=function(t){},g.prototype.getStartTimeOffset=function(){return 0},g.prototype.getDuration=function(){return 0},g.prototype.isPlaying=function(){return!1},g.prototype.getPlaybackType=function(){return g.NO_OP},g.prototype.isHighDefinitionInUse=function(){return!1},g.prototype.volume=function(t){},g.prototype.configure=function(t){this._options=c.default.extend(this._options,t)},g.prototype.attemptAutoPlay=function(){var r=this;this.canAutoPlay(function(t,e){t&&r.play()})},g.prototype.canAutoPlay=function(t){t(!0,null)},(0,o.default)(g,[{key:"isReady",get:function(){return!1}},{key:"hasClosedCaptionsTracks",get:function(){return 0<this.closedCaptionsTracks.length}},{key:"closedCaptionsTracks",get:function(){return[]}},{key:"closedCaptionsTrackId",get:function(){return-1},set:function(t){}}]),g);function g(t,e,r){(0,n.default)(this,g);var i=(0,a.default)(this,h.call(this,t));return i.settings={},i._i18n=e,i.playerError=r,i._consented=!1,i}e.default=p,(0,i.default)(p.prototype,d.default),p.extend=function(t){return(0,l.extend)(p,t)},p.canPlay=function(t,e){return!1},p.VOD="vod",p.AOD="aod",p.LIVE="live",p.NO_OP="no_op",p.type="playback",t.exports=e.default},function(t,e,r){t.exports={default:r(102),__esModule:!0}},function(t,e,r){var i=r(50)("wks"),n=r(36),a=r(17).Symbol,o="function"==typeof a;(t.exports=function(t){return i[t]||(i[t]=o&&a[t]||(o?a:n)("Symbol."+t))}).store=i},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i,n=r(143),a=(i=n)&&i.__esModule?i:{default:i};e.default=a.default,t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=u(r(0)),n=u(r(1)),a=u(r(3)),o=u(r(2)),s=r(5),l=u(r(4));function u(t){return t&&t.__esModule?t:{default:t}}var d,c=(d=l.default,(0,o.default)(f,d),(0,a.default)(f,[{key:"options",get:function(){return this._options}}]),f);function f(){var t=0<arguments.length&&void 0!==arguments[0]?arguments[0]:{};(0,i.default)(this,f);var e=(0,n.default)(this,d.call(this,t));return e._options=t,e.uniqueId=(0,s.uniqueId)("o"),e}e.default=c,t.exports=e.default},function(t,e,r){var g=r(17),m=r(9),v=r(44),y=r(26),A="prototype",_=function(t,e,r){var i,n,a,o=t&_.F,s=t&_.G,l=t&_.S,u=t&_.P,d=t&_.B,c=t&_.W,f=s?m:m[e]||(m[e]={}),h=f[A],p=s?g:l?g[e]:(g[e]||{})[A];for(i in s&&(r=e),r)(n=!o&&p&&void 0!==p[i])&&i in f||(a=n?p[i]:r[i],f[i]=s&&"function"!=typeof p[i]?r[i]:d&&n?v(a,g):c&&p[i]==a?function(i){function t(t,e,r){if(this instanceof i){switch(arguments.length){case 0:return new i;case 1:return new i(t);case 2:return new i(t,e)}return new i(t,e,r)}return i.apply(this,arguments)}return t[A]=i[A],t}(a):u&&"function"==typeof a?v(Function.call,a):a,u&&((f.virtual||(f.virtual={}))[i]=a,t&_.R&&h&&!h[i]&&y(h,i,a)))};_.F=1,_.G=2,_.S=4,_.P=8,_.B=16,_.W=32,_.U=64,_.R=128,t.exports=_},function(t,e){var r=t.exports="undefined"!=typeof window&&window.Math==Math?window:"undefined"!=typeof self&&self.Math==Math?self:Function("return this")();"number"==typeof __g&&(__g=r)},function(t,e,r){var i=r(21),n=r(65),a=r(45),o=Object.defineProperty;e.f=r(22)?Object.defineProperty:function(t,e,r){if(i(t),e=a(e,!0),i(r),n)try{return o(t,e,r)}catch(t){}if("get"in r||"set"in r)throw TypeError("Accessors not supported!");return"value"in r&&(t[e]=r.value),t}},function(t,e,r){var i=r(68),n=r(47);t.exports=function(t){return i(n(t))}},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var d=i(r(12)),c=i(r(29)),f=i(r(25));function i(t){return t&&t.__esModule?t:{default:t}}var n={createError:function(t,e){var r=1<arguments.length&&void 0!==e?e:{useCodePrefix:!0},i=this.constructor&&this.constructor.type||"",n=this.name||i,a=this.i18n||this.core&&this.core.i18n||this.container&&this.container.i18n,o=n+":"+(t&&t.code||"unknown"),s={description:"",level:f.default.Levels.FATAL,origin:n,scope:i,raw:{}},l=(0,d.default)({},s,t,{code:r.useCodePrefix?o:t.code});if(a&&l.level==f.default.Levels.FATAL&&!l.UI){var u={title:a.t("default_error_title"),message:a.t("default_error_message")};l.UI=u}return this.playerError?this.playerError.createError(l):c.default.warn(n,"PlayerError is not defined. Error: ",l),l}};e.default=n,t.exports=e.default},function(t,e,r){var i=r(32);t.exports=function(t){if(!i(t))throw TypeError(t+" is not an object!");return t}},function(t,e,r){t.exports=!r(27)(function(){return 7!=Object.defineProperty({},"a",{get:function(){return 7}}).a})},function(t,e){var r={}.hasOwnProperty;t.exports=function(t,e){return r.call(t,e)}},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=c(r(12)),n=c(r(0)),a=c(r(1)),o=c(r(3)),s=c(r(2)),l=r(5),u=c(r(30)),d=c(r(20));function c(t){return t&&t.__esModule?t:{default:t}}var f,h=(f=u.default,(0,s.default)(p,f),(0,o.default)(p,[{key:"playerError",get:function(){return this.core.playerError}}]),p.prototype.bindEvents=function(){},p.prototype.getExternalInterface=function(){return{}},p.prototype.enable=function(){this.enabled||(this.bindEvents(),this.$el.show(),this.enabled=!0)},p.prototype.disable=function(){this.stopListening(),this.$el.hide(),this.enabled=!1},p.prototype.render=function(){return this},p);function p(t){(0,n.default)(this,p);var e=(0,a.default)(this,f.call(this,t.options));return e.core=t,e.enabled=!0,e.bindEvents(),e.render(),e}e.default=h,(0,i.default)(h.prototype,d.default),h.extend=function(t){return(0,l.extend)(h,t)},h.type="core",t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i,n=r(80),a=(i=n)&&i.__esModule?i:{default:i};e.default=a.default,t.exports=e.default},function(t,e,r){var i=r(18),n=r(33);t.exports=r(22)?function(t,e,r){return i.f(t,e,n(1,r))}:function(t,e,r){return t[e]=r,t}},function(t,e){t.exports=function(t){try{return!!t()}catch(t){return!0}}},function(t,e,r){var i=r(67),n=r(51);t.exports=Object.keys||function(t){return i(t,n)}},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i,n=r(162),a=(i=n)&&i.__esModule?i:{default:i};e.default=a.default,t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=d(r(0)),n=d(r(1)),a=d(r(3)),o=d(r(2)),s=d(r(6)),l=r(5),u=d(r(15));function d(t){return t&&t.__esModule?t:{default:t}}var c,f=/^(\S+)\s*(.*)$/,h=(c=u.default,(0,o.default)(p,c),(0,a.default)(p,[{key:"tagName",get:function(){return"div"}},{key:"events",get:function(){return{}}},{key:"attributes",get:function(){return{}}}]),p.prototype.$=function(t){return this.$el.find(t)},p.prototype.render=function(){return this},p.prototype.destroy=function(){return this.$el.remove(),this.stopListening(),this.undelegateEvents(),this},p.prototype.setElement=function(t,e){return this.$el&&this.undelegateEvents(),this.$el=s.default.zepto.isZ(t)?t:(0,s.default)(t),this.el=this.$el[0],!1!==e&&this.delegateEvents(),this},p.prototype.delegateEvents=function(t){if(!t&&!(t=this.events))return this;for(var e in this.undelegateEvents(),t){var r=t[e];if(r&&r.constructor!==Function&&(r=this[t[e]]),r){var i=e.match(f),n=i[1],a=i[2];n+=".delegateEvents"+this.cid,""===a?this.$el.on(n,r.bind(this)):this.$el.on(n,a,r.bind(this))}}return this},p.prototype.undelegateEvents=function(){return this.$el.off(".delegateEvents"+this.cid),this},p.prototype._ensureElement=function(){if(this.el)this.setElement(this.el,!1);else{var t=s.default.extend({},this.attributes);this.id&&(t.id=this.id),this.className&&(t.class=this.className);var e=l.DomRecycler.create(this.tagName).attr(t);this.setElement(e,!1)}},p);function p(t){(0,i.default)(this,p);var e=(0,n.default)(this,c.call(this,t));return e.cid=(0,l.uniqueId)("c"),e._ensureElement(),e.delegateEvents(),e}e.default=h,t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=n(r(0));function n(t){return t&&t.__esModule?t:{default:t}}function a(){(0,i.default)(this,a)}var o=new(n(r(4)).default);(e.default=a).on=function(t,e,r){o.on(t,e,r)},a.once=function(t,e,r){o.once(t,e,r)},a.off=function(t,e,r){o.off(t,e,r)},a.trigger=function(t){for(var e=arguments.length,r=Array(1<e?e-1:0),i=1;i<e;i++)r[i-1]=arguments[i];o.trigger.apply(o,[t].concat(r))},a.stopListening=function(t,e,r){o.stopListening(t,e,r)},t.exports=e.default},function(t,e){t.exports=function(t){return"object"==typeof t?null!==t:"function"==typeof t}},function(t,e){t.exports=function(t,e){return{enumerable:!(1&t),configurable:!(2&t),writable:!(4&t),value:e}}},function(t,e){t.exports={}},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=c(r(12)),n=c(r(0)),a=c(r(1)),o=c(r(3)),s=c(r(2)),l=r(5),u=c(r(15)),d=c(r(20));function c(t){return t&&t.__esModule?t:{default:t}}var f,h=(f=u.default,(0,s.default)(p,f),(0,o.default)(p,[{key:"playerError",get:function(){return this.core.playerError}}]),p.prototype.bindEvents=function(){},p.prototype.enable=function(){this.enabled||(this.bindEvents(),this.enabled=!0)},p.prototype.disable=function(){this.enabled&&(this.stopListening(),this.enabled=!1)},p.prototype.getExternalInterface=function(){return{}},p.prototype.destroy=function(){this.stopListening()},p);function p(t){(0,n.default)(this,p);var e=(0,a.default)(this,f.call(this,t.options));return e.core=t,e.enabled=!0,e.bindEvents(),e}e.default=h,(0,i.default)(h.prototype,d.default),h.extend=function(t){return(0,l.extend)(h,t)},h.type="core",t.exports=e.default},function(t,e){var r=0,i=Math.random();t.exports=function(t){return"Symbol(".concat(void 0===t?"":t,")_",(++r+i).toString(36))}},function(t,e){e.f={}.propertyIsEnumerable},function(t,e,r){var i=r(47);t.exports=function(t){return Object(i(t))}},function(t,e,r){"use strict";e.__esModule=!0;var i=o(r(110)),n=o(r(120)),a="function"==typeof n.default&&"symbol"==typeof i.default?function(t){return typeof t}:function(t){return t&&"function"==typeof n.default&&t.constructor===n.default&&t!==n.default.prototype?"symbol":typeof t};function o(t){return t&&t.__esModule?t:{default:t}}e.default="function"==typeof n.default&&"symbol"===a(i.default)?function(t){return void 0===t?"undefined":a(t)}:function(t){return t&&"function"==typeof n.default&&t.constructor===n.default&&t!==n.default.prototype?"symbol":void 0===t?"undefined":a(t)}},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i,n=r(0),a=(i=n)&&i.__esModule?i:{default:i};function o(){(0,a.default)(this,o),this.options={},this.playbackPlugins=[],this.currentSize={width:0,height:0}}o._players={},o.getInstance=function(t){return o._players[t]||(o._players[t]=new o)},e.default=o,t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i,n=r(184),a=(i=n)&&i.__esModule?i:{default:i};e.default=a.default,t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=c(r(12)),n=c(r(0)),a=c(r(1)),o=c(r(3)),s=c(r(2)),l=r(5),u=c(r(30)),d=c(r(20));function c(t){return t&&t.__esModule?t:{default:t}}var f,h=(f=u.default,(0,s.default)(p,f),(0,o.default)(p,[{key:"playerError",get:function(){return this.container.playerError}}]),p.prototype.enable=function(){this.enabled||(this.bindEvents(),this.$el.show(),this.enabled=!0)},p.prototype.disable=function(){this.stopListening(),this.$el.hide(),this.enabled=!1},p.prototype.bindEvents=function(){},p);function p(t){(0,n.default)(this,p);var e=(0,a.default)(this,f.call(this,t.options));return e.container=t,e.enabled=!0,e.bindEvents(),e}e.default=h,(0,i.default)(h.prototype,d.default),h.extend=function(t){return(0,l.extend)(h,t)},h.type="container",t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=c(r(12)),n=c(r(0)),a=c(r(1)),o=c(r(3)),s=c(r(2)),l=c(r(15)),u=r(5),d=c(r(20));function c(t){return t&&t.__esModule?t:{default:t}}var f,h=(f=l.default,(0,s.default)(p,f),(0,o.default)(p,[{key:"playerError",get:function(){return this.container.playerError}}]),p.prototype.enable=function(){this.enabled||(this.bindEvents(),this.enabled=!0)},p.prototype.disable=function(){this.enabled&&(this.stopListening(),this.enabled=!1)},p.prototype.bindEvents=function(){},p.prototype.destroy=function(){this.stopListening()},p);function p(t){(0,n.default)(this,p);var e=(0,a.default)(this,f.call(this,t.options));return e.container=t,e.enabled=!0,e.bindEvents(),e}e.default=h,(0,i.default)(h.prototype,d.default),h.extend=function(t){return(0,u.extend)(h,t)},h.type="container",t.exports=e.default},function(t,e,r){var a=r(104);t.exports=function(i,n,t){if(a(i),void 0===n)return i;switch(t){case 1:return function(t){return i.call(n,t)};case 2:return function(t,e){return i.call(n,t,e)};case 3:return function(t,e,r){return i.call(n,t,e,r)}}return function(){return i.apply(n,arguments)}}},function(t,e,r){var n=r(32);t.exports=function(t,e){if(!n(t))return t;var r,i;if(e&&"function"==typeof(r=t.toString)&&!n(i=r.call(t)))return i;if("function"==typeof(r=t.valueOf)&&!n(i=r.call(t)))return i;if(!e&&"function"==typeof(r=t.toString)&&!n(i=r.call(t)))return i;throw TypeError("Can't convert object to primitive value")}},function(t,e){var r={}.toString;t.exports=function(t){return r.call(t).slice(8,-1)}},function(t,e){t.exports=function(t){if(null==t)throw TypeError("Can't call method on "+t);return t}},function(t,e){var r=Math.ceil,i=Math.floor;t.exports=function(t){return isNaN(t=+t)?0:(0<t?i:r)(t)}},function(t,e,r){var i=r(50)("keys"),n=r(36);t.exports=function(t){return i[t]||(i[t]=n(t))}},function(t,e,r){var i=r(17),n="__core-js_shared__",a=i[n]||(i[n]={});t.exports=function(t){return a[t]||(a[t]={})}},function(t,e){t.exports="constructor,hasOwnProperty,isPrototypeOf,propertyIsEnumerable,toLocaleString,toString,valueOf".split(",")},function(t,e){e.f=Object.getOwnPropertySymbols},function(t,e,r){t.exports={default:r(108),__esModule:!0}},function(t,e,r){"use strict";var i=r(112)(!0);r(71)(String,"String",function(t){this._t=String(t),this._i=0},function(){var t,e=this._t,r=this._i;return r>=e.length?{value:void 0,done:!0}:(t=i(e,r),this._i+=t.length,{value:t,done:!1})})},function(t,e){t.exports=!0},function(t,e,i){function n(){}var a=i(21),o=i(114),s=i(51),l=i(49)("IE_PROTO"),u="prototype",d=function(){var t,e=i(66)("iframe"),r=s.length;for(e.style.display="none",i(115).appendChild(e),e.src="javascript:",(t=e.contentWindow.document).open(),t.write("<script>document.F=Object<\/script>"),t.close(),d=t.F;r--;)delete d[u][s[r]];return d()};t.exports=Object.create||function(t,e){var r;return null!==t?(n[u]=a(t),r=new n,n[u]=null,r[l]=t):r=d(),void 0===e?r:o(r,e)}},function(t,e,r){var i=r(18).f,n=r(23),a=r(13)("toStringTag");t.exports=function(t,e,r){t&&!n(t=r?t:t.prototype,a)&&i(t,a,{configurable:!0,value:e})}},function(t,e,r){e.f=r(13)},function(t,e,r){var i=r(17),n=r(9),a=r(55),o=r(58),s=r(18).f;t.exports=function(t){var e=n.Symbol||(n.Symbol=a?{}:i.Symbol||{});"_"==t.charAt(0)||t in e||s(e,t,{value:o.f(t)})}},function(t,e,r){var i=r(37),n=r(33),a=r(19),o=r(45),s=r(23),l=r(65),u=Object.getOwnPropertyDescriptor;e.f=r(22)?u:function(t,e){if(t=a(t),e=o(e,!0),l)try{return u(t,e)}catch(t){}if(s(t,e))return n(!i.f.call(t,e),t[e])}},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i,n=r(163),a=(i=n)&&i.__esModule?i:{default:i};e.default={Kibo:a.default},t.exports=e.default},function(t,e,r){"use strict";e.__esModule=!0;var i,n=r(84),a=(i=n)&&i.__esModule?i:{default:i};e.default=function(t){if(Array.isArray(t)){for(var e=0,r=Array(t.length);e<t.length;e++)r[e]=t[e];return r}return(0,a.default)(t)}},function(t,e){var r,i,n=t.exports={};function a(){throw new Error("setTimeout has not been defined")}function o(){throw new Error("clearTimeout has not been defined")}function s(e){if(r===setTimeout)return setTimeout(e,0);if((r===a||!r)&&setTimeout)return r=setTimeout,setTimeout(e,0);try{return r(e,0)}catch(t){try{return r.call(null,e,0)}catch(t){return r.call(this,e,0)}}}!function(){try{r="function"==typeof setTimeout?setTimeout:a}catch(t){r=a}try{i="function"==typeof clearTimeout?clearTimeout:o}catch(t){i=o}}();var l,u=[],d=!1,c=-1;function f(){d&&l&&(d=!1,l.length?u=l.concat(u):c=-1,u.length&&h())}function h(){if(!d){var t=s(f);d=!0;for(var e=u.length;e;){for(l=u,u=[];++c<e;)l&&l[c].run();c=-1,e=u.length}l=null,d=!1,function(e){if(i===clearTimeout)return clearTimeout(e);if((i===o||!i)&&clearTimeout)return i=clearTimeout,clearTimeout(e);try{i(e)}catch(t){try{return i.call(null,e)}catch(t){return i.call(this,e)}}}(t)}}function p(t,e){this.fun=t,this.array=e}function g(){}n.nextTick=function(t){var e=new Array(arguments.length-1);if(1<arguments.length)for(var r=1;r<arguments.length;r++)e[r-1]=arguments[r];u.push(new p(t,e)),1!==u.length||d||s(h)},p.prototype.run=function(){this.fun.apply(null,this.array)},n.title="browser",n.browser=!0,n.env={},n.argv=[],n.version="",n.versions={},n.on=g,n.addListener=g,n.once=g,n.off=g,n.removeListener=g,n.removeAllListeners=g,n.emit=g,n.binding=function(t){throw new Error("process.binding is not supported")},n.cwd=function(){return"/"},n.chdir=function(t){throw new Error("process.chdir is not supported")},n.umask=function(){return 0}},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.default=r(189),t.exports=e.default},function(t,e,r){t.exports=!r(22)&&!r(27)(function(){return 7!=Object.defineProperty(r(66)("div"),"a",{get:function(){return 7}}).a})},function(t,e,r){var i=r(32),n=r(17).document,a=i(n)&&i(n.createElement);t.exports=function(t){return a?n.createElement(t):{}}},function(t,e,r){var o=r(23),s=r(19),l=r(106)(!1),u=r(49)("IE_PROTO");t.exports=function(t,e){var r,i=s(t),n=0,a=[];for(r in i)r!=u&&o(i,r)&&a.push(r);for(;e.length>n;)o(i,r=e[n++])&&(~l(a,r)||a.push(r));return a}},function(t,e,r){var i=r(46);t.exports=Object("z").propertyIsEnumerable(0)?Object:function(t){return"String"==i(t)?t.split(""):Object(t)}},function(t,e,r){var i=r(48),n=Math.min;t.exports=function(t){return 0<t?n(i(t),9007199254740991):0}},function(t,e,r){var n=r(16),a=r(9),o=r(27);t.exports=function(t,e){var r=(a.Object||{})[t]||Object[t],i={};i[t]=e(r),n(n.S+n.F*o(function(){r(1)}),"Object",i)}},function(t,e,r){"use strict";function A(){return this}var _=r(55),b=r(16),E=r(72),T=r(26),S=r(23),k=r(34),L=r(113),R=r(57),C=r(116),w=r(13)("iterator"),O=!([].keys&&"next"in[].keys()),P="values";t.exports=function(t,e,r,i,n,a,o){L(r,e,i);function s(t){if(!O&&t in p)return p[t];switch(t){case"keys":case P:return function(){return new r(this,t)}}return function(){return new r(this,t)}}var l,u,d,c=e+" Iterator",f=n==P,h=!1,p=t.prototype,g=p[w]||p["@@iterator"]||n&&p[n],m=g||s(n),v=n?f?s("entries"):m:void 0,y="Array"==e&&p.entries||g;if(y&&(d=C(y.call(new t)))!==Object.prototype&&(R(d,c,!0),_||S(d,w)||T(d,w,A)),f&&g&&g.name!==P&&(h=!0,m=function(){return g.call(this)}),_&&!o||!O&&!h&&p[w]||T(p,w,m),k[e]=m,k[c]=A,n)if(l={values:f?m:s(P),keys:a?m:s("keys"),entries:v},o)for(u in l)u in p||E(p,u,l[u]);else b(b.P+b.F*(O||h),e,l);return l}},function(t,e,r){t.exports=r(26)},function(t,e,r){r(117);for(var i=r(17),n=r(26),a=r(34),o=r(13)("toStringTag"),s=["NodeList","DOMTokenList","MediaList","StyleSheetList","CSSRuleList"],l=0;l<5;l++){var u=s[l],d=i[u],c=d&&d.prototype;c&&!c[o]&&n(c,o,u),a[u]=a.Array}},function(t,e,r){var i=r(67),n=r(51).concat("length","prototype");e.f=Object.getOwnPropertyNames||function(t){return i(t,n)}},function(t,e,r){t.exports={default:r(131),__esModule:!0}},function(t,e,r){t.exports={default:r(137),__esModule:!0}},function(t,e,r){var i=r(147),n=r(13)("iterator"),a=r(34);t.exports=r(9).getIteratorMethod=function(t){if(null!=t)return t[n]||t["@@iterator"]||a[i(t)]}},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i,n=r(166),a=(i=n)&&i.__esModule?i:{default:i};e.default=a.default,t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=a(r(6)),n=a(r(7));function a(t){return t&&t.__esModule?t:{default:t}}var o={getStyleFor:function(t,e){var r=1<arguments.length&&void 0!==e?e:{baseUrl:""};return(0,i.default)('<style class="clappr-style"></style>').html((0,n.default)(t.toString())(r))}};e.default=o,t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=d(r(0)),n=d(r(1)),a=d(r(3)),o=d(r(2)),s=d(r(4)),l=d(r(15)),u=d(r(29));function d(t){return t&&t.__esModule?t:{default:t}}var c,f=(c=l.default,(0,o.default)(h,c),(0,a.default)(h,[{key:"name",get:function(){return"error"}}],[{key:"Levels",get:function(){return{FATAL:"FATAL",WARN:"WARN",INFO:"INFO"}}}]),h.prototype.createError=function(t){this.core?this.core.trigger(s.default.ERROR,t):u.default.warn(this.name,"Core is not set. Error: ",t)},h);function h(){var t=0<arguments.length&&void 0!==arguments[0]?arguments[0]:{},e=arguments[1];(0,i.default)(this,h);var r=(0,n.default)(this,c.call(this,t));return r.core=e,r}e.default=f,t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i,n=r(169),a=(i=n)&&i.__esModule?i:{default:i};e.default=a.default,t.exports=e.default},function(t,e){t.exports=function(t){return"string"!=typeof t?t:(/^['"].*['"]$/.test(t)&&(t=t.slice(1,-1)),/["'() \t\n]/.test(t)?'"'+t.replace(/"/g,'\\"').replace(/\n/g,"\\n")+'"':t)}},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i,n=r(177),a=(i=n)&&i.__esModule?i:{default:i};e.default=a.default,t.exports=e.default},function(t,e,r){t.exports={default:r(178),__esModule:!0}},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i,n=r(188),a=(i=n)&&i.__esModule?i:{default:i};e.default=a.default,t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i,n=r(194),a=(i=n)&&i.__esModule?i:{default:i};e.default=a.default,t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i,n=r(195),a=(i=n)&&i.__esModule?i:{default:i};e.default=a.default,t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i,n=r(198),a=(i=n)&&i.__esModule?i:{default:i};e.default=a.default,t.exports=e.default},function(t,e,r){t.exports={default:r(199),__esModule:!0}},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i,n=r(202),a=(i=n)&&i.__esModule?i:{default:i};e.default=a.default,t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i,n=r(205),a=(i=n)&&i.__esModule?i:{default:i};e.default=a.default,t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i,n=r(209),a=(i=n)&&i.__esModule?i:{default:i};e.default=a.default,t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i,n=r(215),a=(i=n)&&i.__esModule?i:{default:i};e.default=a.default,t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i,n=r(219),a=(i=n)&&i.__esModule?i:{default:i};e.default=a.default,t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i,n=r(225),a=(i=n)&&i.__esModule?i:{default:i};e.default=a.default,t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i,n=r(226),a=(i=n)&&i.__esModule?i:{default:i};e.default=a.default,t.exports=e.default},function(t,e){t.exports="<%=baseUrl%>/a8c874b93b3d848f39a71260c57e3863.cur"},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i,n=r(230),a=(i=n)&&i.__esModule?i:{default:i};e.default=a.default,t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i,n=r(239),a=(i=n)&&i.__esModule?i:{default:i};e.default=a.default,t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=j(r(101)),n=j(r(5)),a=j(r(4)),o=j(r(11)),s=j(r(43)),l=j(r(35)),u=j(r(24)),d=j(r(42)),c=j(r(15)),f=j(r(30)),h=j(r(14)),p=j(r(81)),g=j(r(78)),m=j(r(25)),v=j(r(83)),y=j(r(31)),A=j(r(40)),_=j(r(64)),b=j(r(85)),E=j(r(87)),T=j(r(88)),S=j(r(86)),k=j(r(41)),L=j(r(90)),R=j(r(91)),C=j(r(96)),w=j(r(95)),O=j(r(98)),P=j(r(99)),D=j(r(29)),I=j(r(94)),x=j(r(92)),M=j(r(93)),N=j(r(79)),F=j(r(61)),B=j(r(7)),U=j(r(6));function j(t){return t&&t.__esModule?t:{default:t}}e.default={Player:i.default,Mediator:y.default,Events:a.default,Browser:h.default,PlayerInfo:A.default,MediaControl:C.default,ContainerPlugin:s.default,UIContainerPlugin:d.default,CorePlugin:l.default,UICorePlugin:u.default,Playback:o.default,Container:p.default,Core:g.default,PlayerError:m.default,Loader:v.default,BaseObject:c.default,UIObject:f.default,Utils:n.default,BaseFlashPlayback:_.default,Flash:b.default,FlasHLS:E.default,HLS:T.default,HTML5Audio:S.default,HTML5Video:k.default,HTMLImg:L.default,NoOp:R.default,ClickToPausePlugin:w.default,DVRControls:O.default,Favicon:P.default,Log:D.default,Poster:I.default,SpinnerThreeBouncePlugin:x.default,WaterMarkPlugin:M.default,Styler:N.default,Vendor:F.default,version:"0.3.13",template:B.default,$:U.default},t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=y(r(12)),a=y(r(53)),n=y(r(0)),o=y(r(1)),s=y(r(3)),l=y(r(2)),u=r(5),d=y(r(15)),c=y(r(4)),f=y(r(14)),h=y(r(164)),p=y(r(83)),g=y(r(40)),m=y(r(20)),v=y(r(6));function y(t){return t&&t.__esModule?t:{default:t}}var A,_=(0,u.currentScriptUrl)().replace(/\/[^/]+$/,""),b=(A=d.default,(0,l.default)(E,A),(0,s.default)(E,[{key:"loader",set:function(t){this._loader=t},get:function(){return this._loader||(this._loader=new p.default(this.options.plugins||{},this.options.playerId)),this._loader}},{key:"ended",get:function(){return this.core.activeContainer.ended}},{key:"buffering",get:function(){return this.core.activeContainer.buffering}},{key:"isReady",get:function(){return!!this._ready}},{key:"eventsMapping",get:function(){return{onReady:c.default.PLAYER_READY,onResize:c.default.PLAYER_RESIZE,onPlay:c.default.PLAYER_PLAY,onPause:c.default.PLAYER_PAUSE,onStop:c.default.PLAYER_STOP,onEnded:c.default.PLAYER_ENDED,onSeek:c.default.PLAYER_SEEK,onError:c.default.PLAYER_ERROR,onTimeUpdate:c.default.PLAYER_TIMEUPDATE,onVolumeUpdate:c.default.PLAYER_VOLUMEUPDATE,onSubtitleAvailable:c.default.PLAYER_SUBTITLE_AVAILABLE}}}]),E.prototype.setParentId=function(t){var e=document.querySelector(t);return e&&this.attachTo(e),this},E.prototype.attachTo=function(t){return this.options.parentElement=t,this.core=this._coreFactory.create(),this._addEventListeners(),this},E.prototype._addEventListeners=function(){return this.core.isReady?this._onReady():this.listenToOnce(this.core,c.default.CORE_READY,this._onReady),this.listenTo(this.core,c.default.CORE_ACTIVE_CONTAINER_CHANGED,this._containerChanged),this.listenTo(this.core,c.default.CORE_FULLSCREEN,this._onFullscreenChange),this.listenTo(this.core,c.default.CORE_RESIZE,this._onResize),this},E.prototype._addContainerEventListeners=function(){var t=this.core.activeContainer;return t&&(this.listenTo(t,c.default.CONTAINER_PLAY,this._onPlay),this.listenTo(t,c.default.CONTAINER_PAUSE,this._onPause),this.listenTo(t,c.default.CONTAINER_STOP,this._onStop),this.listenTo(t,c.default.CONTAINER_ENDED,this._onEnded),this.listenTo(t,c.default.CONTAINER_SEEK,this._onSeek),this.listenTo(t,c.default.CONTAINER_ERROR,this._onError),this.listenTo(t,c.default.CONTAINER_TIMEUPDATE,this._onTimeUpdate),this.listenTo(t,c.default.CONTAINER_VOLUME,this._onVolumeUpdate),this.listenTo(t,c.default.CONTAINER_SUBTITLE_AVAILABLE,this._onSubtitleAvailable)),this},E.prototype._registerOptionEventListeners=function(t,e){var i=this,n=0<arguments.length&&void 0!==t?t:{},r=1<arguments.length&&void 0!==e?e:{};return 0<(0,a.default)(n).length&&(0,a.default)(r).forEach(function(t){var e=i.eventsMapping[t];e&&i.off(e,r[t])}),(0,a.default)(n).forEach(function(t){var e=i.eventsMapping[t];if(e){var r=n[t];(r="function"==typeof r&&r)&&i.on(e,r)}}),this},E.prototype._containerChanged=function(){this.stopListening(),this._addEventListeners()},E.prototype._onReady=function(){this._ready=!0,this._addContainerEventListeners(),this.trigger(c.default.PLAYER_READY)},E.prototype._onFullscreenChange=function(t){this.trigger(c.default.PLAYER_FULLSCREEN,t)},E.prototype._onVolumeUpdate=function(t){this.trigger(c.default.PLAYER_VOLUMEUPDATE,t)},E.prototype._onSubtitleAvailable=function(){this.trigger(c.default.PLAYER_SUBTITLE_AVAILABLE)},E.prototype._onResize=function(t){this.trigger(c.default.PLAYER_RESIZE,t)},E.prototype._onPlay=function(){this.trigger(c.default.PLAYER_PLAY)},E.prototype._onPause=function(){this.trigger(c.default.PLAYER_PAUSE)},E.prototype._onStop=function(){this.trigger(c.default.PLAYER_STOP,this.getCurrentTime())},E.prototype._onEnded=function(){this.trigger(c.default.PLAYER_ENDED)},E.prototype._onSeek=function(t){this.trigger(c.default.PLAYER_SEEK,t)},E.prototype._onTimeUpdate=function(t){this.trigger(c.default.PLAYER_TIMEUPDATE,t)},E.prototype._onError=function(t){this.trigger(c.default.PLAYER_ERROR,t)},E.prototype._normalizeSources=function(t){var e=t.sources||(void 0!==t.source?[t.source]:[]);return 0===e.length?[{source:"",mimeType:""}]:e},E.prototype.resize=function(t){return this.core.resize(t),this},E.prototype.load=function(t,e,r){return void 0!==r&&this.configure({autoPlay:!!r}),this.core.load(t,e),this},E.prototype.destroy=function(){return this.stopListening(),this.core.destroy(),this},E.prototype.consent=function(){return this.core.getCurrentPlayback().consent(),this},E.prototype.play=function(){return this.core.activeContainer.play(),this},E.prototype.pause=function(){return this.core.activeContainer.pause(),this},E.prototype.stop=function(){return this.core.activeContainer.stop(),this},E.prototype.seek=function(t){return this.core.activeContainer.seek(t),this},E.prototype.seekPercentage=function(t){return this.core.activeContainer.seekPercentage(t),this},E.prototype.mute=function(){return this._mutedVolume=this.getVolume(),this.setVolume(0),this},E.prototype.unmute=function(){return this.setVolume("number"==typeof this._mutedVolume?this._mutedVolume:100),this._mutedVolume=null,this},E.prototype.isPlaying=function(){return this.core.activeContainer.isPlaying()},E.prototype.isDvrEnabled=function(){return this.core.activeContainer.isDvrEnabled()},E.prototype.isDvrInUse=function(){return this.core.activeContainer.isDvrInUse()},E.prototype.configure=function(t){var e=0<arguments.length&&void 0!==t?t:{};return this._registerOptionEventListeners(e.events,this.options.events),this.core.configure(e),this},E.prototype.getPlugin=function(e){return this.core.plugins.concat(this.core.activeContainer.plugins).filter(function(t){return t.name===e})[0]},E.prototype.getCurrentTime=function(){return this.core.activeContainer.getCurrentTime()},E.prototype.getStartTimeOffset=function(){return this.core.activeContainer.getStartTimeOffset()},E.prototype.getDuration=function(){return this.core.activeContainer.getDuration()},E);function E(t){(0,n.default)(this,E);var e=(0,o.default)(this,A.call(this,t)),r={playerId:(0,u.uniqueId)(""),persistConfig:!0,width:640,height:360,baseUrl:_,allowUserInteraction:f.default.isMobile,playback:{recycleVideo:!0}};return e._options=v.default.extend(r,t),e.options.sources=e._normalizeSources(t),e.options.chromeless||(e.options.allowUserInteraction=!0),e.options.allowUserInteraction||(e.options.disableKeyboardShortcuts=!0),e._registerOptionEventListeners(e.options.events),e._coreFactory=new h.default(e),e.playerInfo=g.default.getInstance(e.options.playerId),e.playerInfo.currentSize={width:t.width,height:t.height},e.playerInfo.options=e.options,e.options.parentId?e.setParentId(e.options.parentId):e.options.parent&&e.attachTo(e.options.parent),e}e.default=b,(0,i.default)(b.prototype,m.default),t.exports=e.default},function(t,e,r){r(103),t.exports=r(9).Object.assign},function(t,e,r){var i=r(16);i(i.S+i.F,"Object",{assign:r(105)})},function(t,e){t.exports=function(t){if("function"!=typeof t)throw TypeError(t+" is not a function!");return t}},function(t,e,r){"use strict";var f=r(28),h=r(52),p=r(37),g=r(38),m=r(68),n=Object.assign;t.exports=!n||r(27)(function(){var t={},e={},r=Symbol(),i="abcdefghijklmnopqrst";return t[r]=7,i.split("").forEach(function(t){e[t]=t}),7!=n({},t)[r]||Object.keys(n({},e)).join("")!=i})?function(t,e){for(var r=g(t),i=arguments.length,n=1,a=h.f,o=p.f;n<i;)for(var s,l=m(arguments[n++]),u=a?f(l).concat(a(l)):f(l),d=u.length,c=0;c<d;)o.call(l,s=u[c++])&&(r[s]=l[s]);return r}:n},function(t,e,r){var l=r(19),u=r(69),d=r(107);t.exports=function(s){return function(t,e,r){var i,n=l(t),a=u(n.length),o=d(r,a);if(s&&e!=e){for(;o<a;)if((i=n[o++])!=i)return!0}else for(;o<a;o++)if((s||o in n)&&n[o]===e)return s||o||0;return!s&&-1}}},function(t,e,r){var i=r(48),n=Math.max,a=Math.min;t.exports=function(t,e){return(t=i(t))<0?n(t+e,0):a(t,e)}},function(t,e,r){r(109),t.exports=r(9).Object.keys},function(t,e,r){var i=r(38),n=r(28);r(70)("keys",function(){return function(t){return n(i(t))}})},function(t,e,r){t.exports={default:r(111),__esModule:!0}},function(t,e,r){r(54),r(73),t.exports=r(58).f("iterator")},function(t,e,r){var l=r(48),u=r(47);t.exports=function(s){return function(t,e){var r,i,n=String(u(t)),a=l(e),o=n.length;return a<0||o<=a?s?"":void 0:(r=n.charCodeAt(a))<55296||56319<r||a+1===o||(i=n.charCodeAt(a+1))<56320||57343<i?s?n.charAt(a):r:s?n.slice(a,a+2):i-56320+(r-55296<<10)+65536}}},function(t,e,r){"use strict";var i=r(56),n=r(33),a=r(57),o={};r(26)(o,r(13)("iterator"),function(){return this}),t.exports=function(t,e,r){t.prototype=i(o,{next:n(1,r)}),a(t,e+" Iterator")}},function(t,e,r){var o=r(18),s=r(21),l=r(28);t.exports=r(22)?Object.defineProperties:function(t,e){s(t);for(var r,i=l(e),n=i.length,a=0;a<n;)o.f(t,r=i[a++],e[r]);return t}},function(t,e,r){t.exports=r(17).document&&document.documentElement},function(t,e,r){var i=r(23),n=r(38),a=r(49)("IE_PROTO"),o=Object.prototype;t.exports=Object.getPrototypeOf||function(t){return t=n(t),i(t,a)?t[a]:"function"==typeof t.constructor&&t instanceof t.constructor?t.constructor.prototype:t instanceof Object?o:null}},function(t,e,r){"use strict";var i=r(118),n=r(119),a=r(34),o=r(19);t.exports=r(71)(Array,"Array",function(t,e){this._t=o(t),this._i=0,this._k=e},function(){var t=this._t,e=this._k,r=this._i++;return!t||r>=t.length?(this._t=void 0,n(1)):n(0,"keys"==e?r:"values"==e?t[r]:[r,t[r]])},"values"),a.Arguments=a.Array,i("keys"),i("values"),i("entries")},function(t,e){t.exports=function(){}},function(t,e){t.exports=function(t,e){return{value:e,done:!!t}}},function(t,e,r){t.exports={default:r(121),__esModule:!0}},function(t,e,r){r(122),r(128),r(129),r(130),t.exports=r(9).Symbol},function(t,e,r){"use strict";function i(t){var e=H[t]=w(F[j]);return e._k=t,e}function n(t,e){k(t);for(var r,i=T(e=L(e)),n=0,a=i.length;n<a;)J(t,r=i[n++],e[r]);return t}function a(t){var e=G.call(this,t=R(t,!0));return!(this===z&&d(H,t)&&!d($,t))&&(!(e||!d(this,t)||!d(H,t)||d(this,K)&&this[K][t])||e)}function o(t,e){if(t=L(t),e=R(e,!0),t!==z||!d(H,e)||d($,e)){var r=x(t,e);return!r||!d(H,e)||d(t,K)&&t[K][e]||(r.enumerable=!0),r}}function s(t){for(var e,r=N(L(t)),i=[],n=0;r.length>n;)d(H,e=r[n++])||e==K||e==p||i.push(e);return i}function l(t){for(var e,r=t===z,i=N(r?$:L(t)),n=[],a=0;i.length>a;)!d(H,e=i[a++])||r&&!d(z,e)||n.push(H[e]);return n}var u=r(17),d=r(23),c=r(22),f=r(16),h=r(72),p=r(123).KEY,g=r(27),m=r(50),v=r(57),y=r(36),A=r(13),_=r(58),b=r(59),E=r(124),T=r(125),S=r(126),k=r(21),L=r(19),R=r(45),C=r(33),w=r(56),O=r(127),P=r(60),D=r(18),I=r(28),x=P.f,M=D.f,N=O.f,F=u.Symbol,B=u.JSON,U=B&&B.stringify,j="prototype",K=A("_hidden"),V=A("toPrimitive"),G={}.propertyIsEnumerable,Y=m("symbol-registry"),H=m("symbols"),$=m("op-symbols"),z=Object[j],W="function"==typeof F,q=u.QObject,X=!q||!q[j]||!q[j].findChild,Z=c&&g(function(){return 7!=w(M({},"a",{get:function(){return M(this,"a",{value:7}).a}})).a})?function(t,e,r){var i=x(z,e);i&&delete z[e],M(t,e,r),i&&t!==z&&M(z,e,i)}:M,Q=W&&"symbol"==typeof F.iterator?function(t){return"symbol"==typeof t}:function(t){return t instanceof F},J=function(t,e,r){return t===z&&J($,e,r),k(t),e=R(e,!0),k(r),d(H,e)?(r.enumerable?(d(t,K)&&t[K][e]&&(t[K][e]=!1),r=w(r,{enumerable:C(0,!1)})):(d(t,K)||M(t,K,C(1,{})),t[K][e]=!0),Z(t,e,r)):M(t,e,r)};W||(h((F=function(t){if(this instanceof F)throw TypeError("Symbol is not a constructor!");var e=y(0<arguments.length?t:void 0),r=function(t){this===z&&r.call($,t),d(this,K)&&d(this[K],e)&&(this[K][e]=!1),Z(this,e,C(1,t))};return c&&X&&Z(z,e,{configurable:!0,set:r}),i(e)})[j],"toString",function(){return this._k}),P.f=o,D.f=J,r(74).f=O.f=s,r(37).f=a,r(52).f=l,c&&!r(55)&&h(z,"propertyIsEnumerable",a,!0),_.f=function(t){return i(A(t))}),f(f.G+f.W+f.F*!W,{Symbol:F});for(var tt="hasInstance,isConcatSpreadable,iterator,match,replace,search,species,split,toPrimitive,toStringTag,unscopables".split(","),et=0;tt.length>et;)A(tt[et++]);for(tt=I(A.store),et=0;tt.length>et;)b(tt[et++]);f(f.S+f.F*!W,"Symbol",{for:function(t){return d(Y,t+="")?Y[t]:Y[t]=F(t)},keyFor:function(t){if(Q(t))return E(Y,t);throw TypeError(t+" is not a symbol!")},useSetter:function(){X=!0},useSimple:function(){X=!1}}),f(f.S+f.F*!W,"Object",{create:function(t,e){return void 0===e?w(t):n(w(t),e)},defineProperty:J,defineProperties:n,getOwnPropertyDescriptor:o,getOwnPropertyNames:s,getOwnPropertySymbols:l}),B&&f(f.S+f.F*(!W||g(function(){var t=F();return"[null]"!=U([t])||"{}"!=U({a:t})||"{}"!=U(Object(t))})),"JSON",{stringify:function(t){if(void 0!==t&&!Q(t)){for(var e,r,i=[t],n=1;n<arguments.length;)i.push(arguments[n++]);return"function"==typeof(e=i[1])&&(r=e),!r&&S(e)||(e=function(t,e){if(r&&(e=r.call(this,t,e)),!Q(e))return e}),i[1]=e,U.apply(B,i)}}}),F[j][V]||r(26)(F[j],V,F[j].valueOf),v(F,"Symbol"),v(Math,"Math",!0),v(u.JSON,"JSON",!0)},function(t,e,r){function i(t){s(t,n,{value:{i:"O"+ ++l,w:{}}})}var n=r(36)("meta"),a=r(32),o=r(23),s=r(18).f,l=0,u=Object.isExtensible||function(){return!0},d=!r(27)(function(){return u(Object.preventExtensions({}))}),c=t.exports={KEY:n,NEED:!1,fastKey:function(t,e){if(!a(t))return"symbol"==typeof t?t:("string"==typeof t?"S":"P")+t;if(!o(t,n)){if(!u(t))return"F";if(!e)return"E";i(t)}return t[n].i},getWeak:function(t,e){if(!o(t,n)){if(!u(t))return!0;if(!e)return!1;i(t)}return t[n].w},onFreeze:function(t){return d&&c.NEED&&u(t)&&!o(t,n)&&i(t),t}}},function(t,e,r){var s=r(28),l=r(19);t.exports=function(t,e){for(var r,i=l(t),n=s(i),a=n.length,o=0;o<a;)if(i[r=n[o++]]===e)return r}},function(t,e,r){var s=r(28),l=r(52),u=r(37);t.exports=function(t){var e=s(t),r=l.f;if(r)for(var i,n=r(t),a=u.f,o=0;n.length>o;)a.call(t,i=n[o++])&&e.push(i);return e}},function(t,e,r){var i=r(46);t.exports=Array.isArray||function(t){return"Array"==i(t)}},function(t,e,r){var i=r(19),n=r(74).f,a={}.toString,o="object"==typeof window&&window&&Object.getOwnPropertyNames?Object.getOwnPropertyNames(window):[];t.exports.f=function(t){return o&&"[object Window]"==a.call(t)?function(t){try{return n(t)}catch(t){return o.slice()}}(t):n(i(t))}},function(t,e){},function(t,e,r){r(59)("asyncIterator")},function(t,e,r){r(59)("observable")},function(t,e,r){r(132);var i=r(9).Object;t.exports=function(t,e,r){return i.defineProperty(t,e,r)}},function(t,e,r){var i=r(16);i(i.S+i.F*!r(22),"Object",{defineProperty:r(18).f})},function(t,e,r){t.exports={default:r(134),__esModule:!0}},function(t,e,r){r(135),t.exports=r(9).Object.setPrototypeOf},function(t,e,r){var i=r(16);i(i.S,"Object",{setPrototypeOf:r(136).set})},function(t,e,n){function a(t,e){if(i(t),!r(e)&&null!==e)throw TypeError(e+": can't set as prototype!")}var r=n(32),i=n(21);t.exports={set:Object.setPrototypeOf||("__proto__"in{}?function(t,r,i){try{(i=n(44)(Function.call,n(60).f(Object.prototype,"__proto__").set,2))(t,[]),r=!(t instanceof Array)}catch(t){r=!0}return function(t,e){return a(t,e),r?t.__proto__=e:i(t,e),t}}({},!1):void 0),check:a}},function(t,e,r){r(138);var i=r(9).Object;t.exports=function(t,e){return i.create(t,e)}},function(t,e,r){var i=r(16);i(i.S,"Object",{create:r(56)})},function(t,e,r){t.exports={default:r(140),__esModule:!0}},function(t,e,r){r(141);var i=r(9).Object;t.exports=function(t,e){return i.getOwnPropertyDescriptor(t,e)}},function(t,e,r){var i=r(19),n=r(60).f;r(70)("getOwnPropertyDescriptor",function(){return function(t,e){return n(i(t),e)}})},function(t,e,r){"use strict";Array.prototype.find||Object.defineProperty(Array.prototype,"find",{value:function(t,e){if(null==this)throw new TypeError('"this" is null or not defined');var r=Object(this),i=r.length>>>0;if("function"!=typeof t)throw new TypeError("predicate must be a function");for(var n=e,a=0;a<i;){var o=r[a];if(t.call(n,o,a,r))return o;a++}}})},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.getDevice=e.getViewportSize=e.getOsData=e.getBrowserData=e.getBrowserInfo=void 0;var d=n(r(144)),i=n(r(6)),c=n(r(148)),f=n(r(149));function n(t){return t&&t.__esModule?t:{default:t}}var h={},a=e.getBrowserInfo=function(t){var e=t.match(/\b(playstation 4|nx|opera|chrome|safari|firefox|msie|trident(?=\/))\/?\s*(\d+)/i)||[],r=void 0;if(/trident/i.test(e[1]))return r=/\brv[ :]+(\d+)/g.exec(t)||[],{name:"IE",version:parseInt(r[1]||"")};if("Chrome"===e[1]){if(null!=(r=t.match(/\bOPR\/(\d+)/)))return{name:"Opera",version:parseInt(r[1])};if(null!=(r=t.match(/\bEdge\/(\d+)/)))return{name:"Edge",version:parseInt(r[1])}}else/android/i.test(t)&&(r=t.match(/version\/(\d+)/i))&&(e.splice(1,1,"Android WebView"),e.splice(2,1,r[1]));return{name:(e=e[2]?[e[1],e[2]]:[navigator.appName,navigator.appVersion,"-?"])[0],version:parseInt(e[1])}},o=e.getBrowserData=function(){var t={},e=h.userAgent.toLowerCase(),r=!0,i=!1,n=void 0;try{for(var a,o=(0,d.default)(c.default);!(r=(a=o.next()).done);r=!0){var s=a.value,l=new RegExp(s.identifier.toLowerCase()).exec(e);if(null!=l&&l[1]){if(t.name=s.name,t.group=s.group,s.versionIdentifier){var u=new RegExp(s.versionIdentifier.toLowerCase()).exec(e);null!=u&&u[1]&&p(u[1],t)}else p(l[1],t);break}}}catch(t){i=!0,n=t}finally{try{!r&&o.return&&o.return()}finally{if(i)throw n}}return t},p=function(t,e){var r=t.split(".",2);e.fullVersion=t,r[0]&&(e.majorVersion=parseInt(r[0])),r[1]&&(e.minorVersion=parseInt(r[1]))},s=e.getOsData=function(){var t={},e=h.userAgent.toLowerCase(),r=!0,i=!1,n=void 0;try{for(var a,o=(0,d.default)(f.default);!(r=(a=o.next()).done);r=!0){var s=a.value,l=new RegExp(s.identifier.toLowerCase()).exec(e);if(null!=l){if(t.name=s.name,t.group=s.group,s.version)g(s.version,s.versionSeparator?s.versionSeparator:".",t);else if(l[1])g(l[1],s.versionSeparator?s.versionSeparator:".",t);else if(s.versionIdentifier){var u=new RegExp(s.versionIdentifier.toLowerCase()).exec(e);null!=u&&u[1]&&g(u[1],s.versionSeparator?s.versionSeparator:".",t)}break}}}catch(t){i=!0,n=t}finally{try{!r&&o.return&&o.return()}finally{if(i)throw n}}return t},g=function(t,e,r){var i="["==e.substr(0,1)?new RegExp(e,"g"):e,n=t.split(i,2);"."!=e&&(t=t.replace(new RegExp(e,"g"),".")),r.fullVersion=t,n&&n[0]&&(r.majorVersion=parseInt(n[0])),n&&n[1]&&(r.minorVersion=parseInt(n[1]))},l=e.getViewportSize=function(){var t={};return t.width=(0,i.default)(window).width(),t.height=(0,i.default)(window).height(),t},u=e.getDevice=function(t){var e=/\((iP(?:hone|ad|od))?(?:[^;]*; ){0,2}([^)]+(?=\)))/.exec(t);return e&&(e[1]||e[2])||""},m=a(navigator.userAgent);h.isEdge=/edge/i.test(navigator.userAgent),h.isChrome=/chrome|CriOS/i.test(navigator.userAgent)&&!h.isEdge,h.isSafari=/safari/i.test(navigator.userAgent)&&!h.isChrome&&!h.isEdge,h.isFirefox=/firefox/i.test(navigator.userAgent),h.isLegacyIE=!!window.ActiveXObject,h.isIE=h.isLegacyIE||/trident.*rv:1\d/i.test(navigator.userAgent),h.isIE11=/trident.*rv:11/i.test(navigator.userAgent),h.isChromecast=h.isChrome&&/CrKey/i.test(navigator.userAgent),h.isMobile=/Android|webOS|iPhone|iPad|iPod|BlackBerry|Windows Phone|IEMobile|Mobile Safari|Opera Mini/i.test(navigator.userAgent),h.isiOS=/iPad|iPhone|iPod/i.test(navigator.userAgent),h.isAndroid=/Android/i.test(navigator.userAgent),h.isWindowsPhone=/Windows Phone/i.test(navigator.userAgent),h.isWin8App=/MSAppHost/i.test(navigator.userAgent),h.isWiiU=/WiiU/i.test(navigator.userAgent),h.isPS4=/PlayStation 4/i.test(navigator.userAgent),h.hasLocalstorage=function(){try{return localStorage.setItem("clappr","clappr"),localStorage.removeItem("clappr"),!0}catch(t){return!1}}(),h.hasFlash=function(){try{return!!new ActiveXObject("ShockwaveFlash.ShockwaveFlash")}catch(t){return!(!navigator.mimeTypes||void 0===navigator.mimeTypes["application/x-shockwave-flash"]||!navigator.mimeTypes["application/x-shockwave-flash"].enabledPlugin)}}(),h.name=m.name,h.version=m.version,h.userAgent=navigator.userAgent,h.data=o(),h.os=s(),h.viewport=l(),h.device=u(h.userAgent),void 0!==window.orientation&&function(){switch(window.orientation){case-90:case 90:h.viewport.orientation="landscape";break;default:h.viewport.orientation="portrait"}}(),e.default=h},function(t,e,r){t.exports={default:r(145),__esModule:!0}},function(t,e,r){r(73),r(54),t.exports=r(146)},function(t,e,r){var i=r(21),n=r(77);t.exports=r(9).getIterator=function(t){var e=n(t);if("function"!=typeof e)throw TypeError(t+" is not iterable!");return i(e.call(t))}},function(t,e,r){var n=r(46),a=r(13)("toStringTag"),o="Arguments"==n(function(){return arguments}());t.exports=function(t){var e,r,i;return void 0===t?"Undefined":null===t?"Null":"string"==typeof(r=function(t,e){try{return t[e]}catch(t){}}(e=Object(t),a))?r:o?n(e):"Object"==(i=n(e))&&"function"==typeof e.callee?"Arguments":i}},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});e.default=[{name:"Chromium",group:"Chrome",identifier:"Chromium/([0-9.]*)"},{name:"Chrome Mobile",group:"Chrome",identifier:"Chrome/([0-9.]*) Mobile",versionIdentifier:"Chrome/([0-9.]*)"},{name:"Chrome",group:"Chrome",identifier:"Chrome/([0-9.]*)"},{name:"Chrome for iOS",group:"Chrome",identifier:"CriOS/([0-9.]*)"},{name:"Android Browser",group:"Chrome",identifier:"CrMo/([0-9.]*)"},{name:"Firefox",group:"Firefox",identifier:"Firefox/([0-9.]*)"},{name:"Opera Mini",group:"Opera",identifier:"Opera Mini/([0-9.]*)"},{name:"Opera",group:"Opera",identifier:"Opera ([0-9.]*)"},{name:"Opera",group:"Opera",identifier:"Opera/([0-9.]*)",versionIdentifier:"Version/([0-9.]*)"},{name:"IEMobile",group:"Explorer",identifier:"IEMobile/([0-9.]*)"},{name:"Internet Explorer",group:"Explorer",identifier:"MSIE ([a-zA-Z0-9.]*)"},{name:"Internet Explorer",group:"Explorer",identifier:"Trident/([0-9.]*)",versionIdentifier:"rv:([0-9.]*)"},{name:"Spartan",group:"Spartan",identifier:"Edge/([0-9.]*)",versionIdentifier:"Edge/([0-9.]*)"},{name:"Safari",group:"Safari",identifier:"Safari/([0-9.]*)",versionIdentifier:"Version/([0-9.]*)"}],t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});e.default=[{name:"Windows 2000",group:"Windows",identifier:"Windows NT 5.0",version:"5.0"},{name:"Windows XP",group:"Windows",identifier:"Windows NT 5.1",version:"5.1"},{name:"Windows Vista",group:"Windows",identifier:"Windows NT 6.0",version:"6.0"},{name:"Windows 7",group:"Windows",identifier:"Windows NT 6.1",version:"7.0"},{name:"Windows 8",group:"Windows",identifier:"Windows NT 6.2",version:"8.0"},{name:"Windows 8.1",group:"Windows",identifier:"Windows NT 6.3",version:"8.1"},{name:"Windows 10",group:"Windows",identifier:"Windows NT 10.0",version:"10.0"},{name:"Windows Phone",group:"Windows Phone",identifier:"Windows Phone ([0-9.]*)"},{name:"Windows Phone",group:"Windows Phone",identifier:"Windows Phone OS ([0-9.]*)"},{name:"Windows",group:"Windows",identifier:"Windows"},{name:"Chrome OS",group:"Chrome OS",identifier:"CrOS"},{name:"Android",group:"Android",identifier:"Android",versionIdentifier:"Android ([a-zA-Z0-9.-]*)"},{name:"iPad",group:"iOS",identifier:"iPad",versionIdentifier:"OS ([0-9_]*)",versionSeparator:"[_|.]"},{name:"iPod",group:"iOS",identifier:"iPod",versionIdentifier:"OS ([0-9_]*)",versionSeparator:"[_|.]"},{name:"iPhone",group:"iOS",identifier:"iPhone OS",versionIdentifier:"OS ([0-9_]*)",versionSeparator:"[_|.]"},{name:"Mac OS X High Sierra",group:"Mac OS",identifier:"Mac OS X (10([_|.])13([0-9_.]*))",versionSeparator:"[_|.]"},{name:"Mac OS X Sierra",group:"Mac OS",identifier:"Mac OS X (10([_|.])12([0-9_.]*))",versionSeparator:"[_|.]"},{name:"Mac OS X El Capitan",group:"Mac OS",identifier:"Mac OS X (10([_|.])11([0-9_.]*))",versionSeparator:"[_|.]"},{name:"Mac OS X Yosemite",group:"Mac OS",identifier:"Mac OS X (10([_|.])10([0-9_.]*))",versionSeparator:"[_|.]"},{name:"Mac OS X Mavericks",group:"Mac OS",identifier:"Mac OS X (10([_|.])9([0-9_.]*))",versionSeparator:"[_|.]"},{name:"Mac OS X Mountain Lion",group:"Mac OS",identifier:"Mac OS X (10([_|.])8([0-9_.]*))",versionSeparator:"[_|.]"},{name:"Mac OS X Lion",group:"Mac OS",identifier:"Mac OS X (10([_|.])7([0-9_.]*))",versionSeparator:"[_|.]"},{name:"Mac OS X Snow Leopard",group:"Mac OS",identifier:"Mac OS X (10([_|.])6([0-9_.]*))",versionSeparator:"[_|.]"},{name:"Mac OS X Leopard",group:"Mac OS",identifier:"Mac OS X (10([_|.])5([0-9_.]*))",versionSeparator:"[_|.]"},{name:"Mac OS X Tiger",group:"Mac OS",identifier:"Mac OS X (10([_|.])4([0-9_.]*))",versionSeparator:"[_|.]"},{name:"Mac OS X Panther",group:"Mac OS",identifier:"Mac OS X (10([_|.])3([0-9_.]*))",versionSeparator:"[_|.]"},{name:"Mac OS X Jaguar",group:"Mac OS",identifier:"Mac OS X (10([_|.])2([0-9_.]*))",versionSeparator:"[_|.]"},{name:"Mac OS X Puma",group:"Mac OS",identifier:"Mac OS X (10([_|.])1([0-9_.]*))",versionSeparator:"[_|.]"},{name:"Mac OS X Cheetah",group:"Mac OS",identifier:"Mac OS X (10([_|.])0([0-9_.]*))",versionSeparator:"[_|.]"},{name:"Mac OS",group:"Mac OS",identifier:"Mac OS"},{name:"Ubuntu",group:"Linux",identifier:"Ubuntu",versionIdentifier:"Ubuntu/([0-9.]*)"},{name:"Debian",group:"Linux",identifier:"Debian"},{name:"Gentoo",group:"Linux",identifier:"Gentoo"},{name:"Linux",group:"Linux",identifier:"Linux"},{name:"BlackBerry",group:"BlackBerry",identifier:"BlackBerry"}],t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=e.mp4="data:video/mp4;base64,AAAAHGZ0eXBpc29tAAACAGlzb21pc28ybXA0MQAAAAhmcmVlAAAC721kYXQhEAUgpBv/wAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA3pwAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAcCEQBSCkG//AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADengAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAcAAAAsJtb292AAAAbG12aGQAAAAAAAAAAAAAAAAAAAPoAAAALwABAAABAAAAAAAAAAAAAAAAAQAAAAAAAAAAAAAAAAAAAAEAAAAAAAAAAAAAAAAAAEAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADAAAB7HRyYWsAAABcdGtoZAAAAAMAAAAAAAAAAAAAAAIAAAAAAAAALwAAAAAAAAAAAAAAAQEAAAAAAQAAAAAAAAAAAAAAAAAAAAEAAAAAAAAAAAAAAAAAAEAAAAAAAAAAAAAAAAAAACRlZHRzAAAAHGVsc3QAAAAAAAAAAQAAAC8AAAAAAAEAAAAAAWRtZGlhAAAAIG1kaGQAAAAAAAAAAAAAAAAAAKxEAAAIAFXEAAAAAAAtaGRscgAAAAAAAAAAc291bgAAAAAAAAAAAAAAAFNvdW5kSGFuZGxlcgAAAAEPbWluZgAAABBzbWhkAAAAAAAAAAAAAAAkZGluZgAAABxkcmVmAAAAAAAAAAEAAAAMdXJsIAAAAAEAAADTc3RibAAAAGdzdHNkAAAAAAAAAAEAAABXbXA0YQAAAAAAAAABAAAAAAAAAAAAAgAQAAAAAKxEAAAAAAAzZXNkcwAAAAADgICAIgACAASAgIAUQBUAAAAAAfQAAAHz+QWAgIACEhAGgICAAQIAAAAYc3R0cwAAAAAAAAABAAAAAgAABAAAAAAcc3RzYwAAAAAAAAABAAAAAQAAAAIAAAABAAAAHHN0c3oAAAAAAAAAAAAAAAIAAAFzAAABdAAAABRzdGNvAAAAAAAAAAEAAAAsAAAAYnVkdGEAAABabWV0YQAAAAAAAAAhaGRscgAAAAAAAAAAbWRpcmFwcGwAAAAAAAAAAAAAAAAtaWxzdAAAACWpdG9vAAAAHWRhdGEAAAABAAAAAExhdmY1Ni40MC4xMDE=";e.default={mp4:i}},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.volumeMute=e.volume=e.stop=e.reload=e.play=e.pause=e.hd=e.fullscreen=e.exitFullscreen=e.cc=void 0;var i=h(r(152)),n=h(r(153)),a=h(r(154)),o=h(r(155)),s=h(r(156)),l=h(r(157)),u=h(r(158)),d=h(r(159)),c=h(r(160)),f=h(r(161));function h(t){return t&&t.__esModule?t:{default:t}}e.cc=c.default,e.exitFullscreen=u.default,e.fullscreen=l.default,e.hd=d.default,e.pause=n.default,e.play=i.default,e.reload=f.default,e.stop=a.default,e.volume=o.default,e.volumeMute=s.default;e.default={cc:c.default,exitFullscreen:u.default,fullscreen:l.default,hd:d.default,pause:n.default,play:i.default,reload:f.default,stop:a.default,volume:o.default,volumeMute:s.default}},function(t,e){t.exports='<svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 16 16"><path fill="#010101" d="M1.425.35L14.575 8l-13.15 7.65V.35z"></path></svg>'},function(t,e){t.exports='<svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 16 16"><path fill-rule="evenodd" clip-rule="evenodd" fill="#010101" d="M1.712 14.76H6.43V1.24H1.71v13.52zm7.86-13.52v13.52h4.716V1.24H9.573z"></path></svg>'},function(t,e){t.exports='<svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 16 16"><path fill-rule="evenodd" clip-rule="evenodd" fill="#010101" d="M1.712 1.24h12.6v13.52h-12.6z"></path></svg>'},function(t,e){t.exports='<svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 16 16"><path fill-rule="evenodd" clip-rule="evenodd" fill="#010101" d="M11.5 11h-.002v1.502L7.798 10H4.5V6h3.297l3.7-2.502V4.5h.003V11zM11 4.49L7.953 6.5H5v3h2.953L11 11.51V4.49z"></path></svg>'},function(t,e){t.exports='<svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 16 16"><path fill-rule="evenodd" clip-rule="evenodd" fill="#010101" d="M9.75 11.51L6.7 9.5H3.75v-3H6.7L9.75 4.49v.664l.497.498V3.498L6.547 6H3.248v4h3.296l3.7 2.502v-2.154l-.497.5v.662zm3-5.165L12.404 6l-1.655 1.653L9.093 6l-.346.345L10.402 8 8.747 9.654l.346.347 1.655-1.653L12.403 10l.348-.346L11.097 8l1.655-1.655z"></path></svg>'},function(t,e){t.exports='<svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 16 16"><path fill="#010101" d="M7.156 8L4 11.156V8.5H3V13h4.5v-1H4.844L8 8.844 7.156 8zM8.5 3v1h2.657L8 7.157 8.846 8 12 4.844V7.5h1V3H8.5z"></path></svg>'},function(t,e){t.exports='<svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 16 16"><path fill="#010101" d="M13.5 3.344l-.844-.844L9.5 5.656V3h-1v4.5H13v-1h-2.656L13.5 3.344zM3 9.5h2.656L2.5 12.656l.844.844L6.5 10.344V13h1V8.5H3v1z"></path></svg>'},function(t,e){t.exports='<svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 16 16"><path fill="#010101" d="M5.375 7.062H2.637V4.26H.502v7.488h2.135V8.9h2.738v2.848h2.133V4.26H5.375v2.802zm5.97-2.81h-2.84v7.496h2.798c2.65 0 4.195-1.607 4.195-3.77v-.022c0-2.162-1.523-3.704-4.154-3.704zm2.06 3.758c0 1.21-.81 1.896-2.03 1.896h-.83V6.093h.83c1.22 0 2.03.696 2.03 1.896v.02z"></path></svg>'},function(t,e){t.exports='<svg version="1.1" id="Layer_1" xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" viewBox="0 0 49 41.8" style="enable-background:new 0 0 49 41.8;" xml:space="preserve"><path d="M47.1,0H3.2C1.6,0,0,1.2,0,2.8v31.5C0,35.9,1.6,37,3.2,37h11.9l3.2,1.9l4.7,2.7c0.9,0.5,2-0.1,2-1.1V37h22.1 c1.6,0,1.9-1.1,1.9-2.7V2.8C49,1.2,48.7,0,47.1,0z M7.2,18.6c0-4.8,3.5-9.3,9.9-9.3c4.8,0,7.1,2.7,7.1,2.7l-2.5,4 c0,0-1.7-1.7-4.2-1.7c-2.8,0-4.3,2.1-4.3,4.3c0,2.1,1.5,4.4,4.5,4.4c2.5,0,4.9-2.1,4.9-2.1l2.2,4.2c0,0-2.7,2.9-7.6,2.9 C10.8,27.9,7.2,23.5,7.2,18.6z M36.9,27.9c-6.4,0-9.9-4.4-9.9-9.3c0-4.8,3.5-9.3,9.9-9.3C41.7,9.3,44,12,44,12l-2.5,4 c0,0-1.7-1.7-4.2-1.7c-2.8,0-4.3,2.1-4.3,4.3c0,2.1,1.5,4.4,4.5,4.4c2.5,0,4.9-2.1,4.9-2.1l2.2,4.2C44.5,25,41.9,27.9,36.9,27.9z"></path></svg>'},function(t,e){t.exports='<svg fill="#FFFFFF" viewBox="0 0 24 24" xmlns="http://www.w3.org/2000/svg"><path d="M17.65 6.35C16.2 4.9 14.21 4 12 4c-4.42 0-7.99 3.58-7.99 8s3.57 8 7.99 8c3.73 0 6.84-2.55 7.73-6h-2.08c-.82 2.33-3.04 4-5.65 4-3.31 0-6-2.69-6-6s2.69-6 6-6c1.66 0 3.14.69 4.22 1.78L13 11h7V4l-2.35 2.35z"></path><path d="M0 0h24v24H0z" fill="none"></path></svg>'},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i,n=r(0),a=(i=n)&&i.__esModule?i:{default:i},o=r(61);var s="font-weight: bold; font-size: 13px;",l="color: #ff8000;"+s,u="color: #ff0000;"+s,d=["color: #0000ff;font-weight: bold; font-size: 13px;","color: #006600;font-weight: bold; font-size: 13px;",l,u,u],c=["debug","info","warn","error","disabled"],f=(h.prototype.debug=function(t){this.log(t,0,Array.prototype.slice.call(arguments,1))},h.prototype.info=function(t){this.log(t,1,Array.prototype.slice.call(arguments,1))},h.prototype.warn=function(t){this.log(t,2,Array.prototype.slice.call(arguments,1))},h.prototype.error=function(t){this.log(t,3,Array.prototype.slice.call(arguments,1))},h.prototype.onOff=function(){this.level===this.offLevel?this.level=this.previousLevel:(this.previousLevel=this.level,this.level=this.offLevel),window.console&&window.console.log&&window.console.log("%c[Clappr.Log] set log level to "+c[this.level],l)},h.prototype.level=function(t){this.level=t},h.prototype.log=function(t,e,r){if(!(0<=this.BLACKLIST.indexOf(r[0])||e<this.level)){r||(r=t,t=null);var i=d[e],n="";t&&(n="["+t+"]"),window.console&&window.console.log&&window.console.log.apply(console,["%c["+c[e]+"]"+n,i].concat(r))}},h);function h(){var t=this,e=0<arguments.length&&void 0!==arguments[0]?arguments[0]:1,r=1<arguments.length&&void 0!==arguments[1]?arguments[1]:3;(0,a.default)(this,h),this.kibo=new o.Kibo,this.kibo.down(["ctrl shift d"],function(){return t.onOff()}),this.BLACKLIST=["timeupdate","playback:timeupdate","playback:progress","container:hover","container:timeupdate","container:progress"],this.level=e,this.offLevel=r}(e.default=f).LEVEL_DEBUG=0,f.LEVEL_INFO=1,f.LEVEL_WARN=2,f.LEVEL_ERROR=3,f.getInstance=function(){return void 0===this._instance&&(this._instance=new this,this._instance.previousLevel=this._instance.level,this._instance.level=this._instance.offLevel),this._instance},f.setLevel=function(t){this.getInstance().level=t},f.debug=function(){this.getInstance().debug.apply(this.getInstance(),arguments)},f.info=function(){this.getInstance().info.apply(this.getInstance(),arguments)},f.warn=function(){this.getInstance().warn.apply(this.getInstance(),arguments)},f.error=function(){this.getInstance().error.apply(this.getInstance(),arguments)},t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});function s(t){this.element=t||window.document,this.initialize()}s.KEY_NAMES_BY_CODE={8:"backspace",9:"tab",13:"enter",16:"shift",17:"ctrl",18:"alt",20:"caps_lock",27:"esc",32:"space",37:"left",38:"up",39:"right",40:"down",48:"0",49:"1",50:"2",51:"3",52:"4",53:"5",54:"6",55:"7",56:"8",57:"9",65:"a",66:"b",67:"c",68:"d",69:"e",70:"f",71:"g",72:"h",73:"i",74:"j",75:"k",76:"l",77:"m",78:"n",79:"o",80:"p",81:"q",82:"r",83:"s",84:"t",85:"u",86:"v",87:"w",88:"x",89:"y",90:"z",112:"f1",113:"f2",114:"f3",115:"f4",116:"f5",117:"f6",118:"f7",119:"f8",120:"f9",121:"f10",122:"f11",123:"f12"},s.KEY_CODES_BY_NAME={},function(){for(var t in s.KEY_NAMES_BY_CODE)Object.prototype.hasOwnProperty.call(s.KEY_NAMES_BY_CODE,t)&&(s.KEY_CODES_BY_NAME[s.KEY_NAMES_BY_CODE[t]]=+t)}(),s.MODIFIERS=["shift","ctrl","alt"],s.registerEvent=document.addEventListener?function(t,e,r){t.addEventListener(e,r,!1)}:document.attachEvent?function(t,e,r){t.attachEvent("on"+e,r)}:void 0,s.unregisterEvent=document.removeEventListener?function(t,e,r){t.removeEventListener(e,r,!1)}:document.detachEvent?function(t,e,r){t.detachEvent("on"+e,r)}:void 0,s.stringContains=function(t,e){return-1!==t.indexOf(e)},s.neatString=function(t){return t.replace(/^\s+|\s+$/g,"").replace(/\s+/g," ")},s.capitalize=function(t){return t.toLowerCase().replace(/^./,function(t){return t.toUpperCase()})},s.isString=function(t){return s.stringContains(Object.prototype.toString.call(t),"String")},s.arrayIncludes=Array.prototype.indexOf?function(t,e){return-1!==t.indexOf(e)}:function(t,e){for(var r=0;r<t.length;r++)if(t[r]===e)return!0;return!1},s.extractModifiers=function(t){var e,r;for(e=[],r=0;r<s.MODIFIERS.length;r++)s.stringContains(t,s.MODIFIERS[r])&&e.push(s.MODIFIERS[r]);return e},s.extractKey=function(t){var e,r;for(e=s.neatString(t).split(" "),r=0;r<e.length;r++)if(!s.arrayIncludes(s.MODIFIERS,e[r]))return e[r]},s.modifiersAndKey=function(t){var e,r;return s.stringContains(t,"any")?s.neatString(t).split(" ").slice(0,2).join(" "):(e=s.extractModifiers(t),(r=s.extractKey(t))&&!s.arrayIncludes(s.MODIFIERS,r)&&e.push(r),e.join(" "))},s.keyName=function(t){return s.KEY_NAMES_BY_CODE[t+""]},s.keyCode=function(t){return+s.KEY_CODES_BY_NAME[t]},s.prototype.initialize=function(){var t,e=this;for(this.lastKeyCode=-1,this.lastModifiers={},t=0;t<s.MODIFIERS.length;t++)this.lastModifiers[s.MODIFIERS[t]]=!1;this.keysDown={any:[]},this.keysUp={any:[]},this.downHandler=this.handler("down"),this.upHandler=this.handler("up"),s.registerEvent(this.element,"keydown",this.downHandler),s.registerEvent(this.element,"keyup",this.upHandler),s.registerEvent(window,"unload",function t(){s.unregisterEvent(e.element,"keydown",e.downHandler),s.unregisterEvent(e.element,"keyup",e.upHandler),s.unregisterEvent(window,"unload",t)})},s.prototype.handler=function(n){var a=this;return function(t){var e,r,i;for(t=t||window.event,a.lastKeyCode=t.keyCode,e=0;e<s.MODIFIERS.length;e++)a.lastModifiers[s.MODIFIERS[e]]=t[s.MODIFIERS[e]+"Key"];for(s.arrayIncludes(s.MODIFIERS,s.keyName(a.lastKeyCode))&&(a.lastModifiers[s.keyName(a.lastKeyCode)]=!0),r=a["keys"+s.capitalize(n)],e=0;e<r.any.length;e++)!1===r.any[e](t)&&t.preventDefault&&t.preventDefault();if(r[i=a.lastModifiersAndKey()])for(e=0;e<r[i].length;e++)!1===r[i][e](t)&&t.preventDefault&&t.preventDefault()}},s.prototype.registerKeys=function(t,e,r){var i,n,a=this["keys"+s.capitalize(t)];for(s.isString(e)&&(e=[e]),i=0;i<e.length;i++)n=e[i],a[n=s.modifiersAndKey(n+"")]?a[n].push(r):a[n]=[r];return this},s.prototype.unregisterKeys=function(t,e,r){var i,n,a,o=this["keys"+s.capitalize(t)];for(s.isString(e)&&(e=[e]),i=0;i<e.length;i++)if(a=e[i],a=s.modifiersAndKey(a+""),null===r)delete o[a];else if(o[a])for(n=0;n<o[a].length;n++)if(String(o[a][n])===String(r)){o[a].splice(n,1);break}return this},s.prototype.off=function(t){return this.unregisterKeys("down",t,null)},s.prototype.delegate=function(t,e,r){return null!==r||void 0!==r?this.registerKeys(t,e,r):this.unregisterKeys(t,e,r)},s.prototype.down=function(t,e){return this.delegate("down",t,e)},s.prototype.up=function(t,e){return this.delegate("up",t,e)},s.prototype.lastKey=function(t){return t?this.lastModifiers[t]:s.keyName(this.lastKeyCode)},s.prototype.lastModifiersAndKey=function(){var t,e;for(t=[],e=0;e<s.MODIFIERS.length;e++)this.lastKey(s.MODIFIERS[e])&&t.push(s.MODIFIERS[e]);return s.arrayIncludes(t,this.lastKey())||t.push(this.lastKey()),t.join(" ")},e.default=s,t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i,n=r(165),a=(i=n)&&i.__esModule?i:{default:i};e.default=a.default,t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=u(r(0)),n=u(r(1)),a=u(r(3)),o=u(r(2)),s=u(r(15)),l=u(r(78));function u(t){return t&&t.__esModule?t:{default:t}}var d,c=(d=s.default,(0,o.default)(f,d),(0,a.default)(f,[{key:"loader",get:function(){return this.player.loader}}]),f.prototype.create=function(){return this.options.loader=this.loader,this.core=new l.default(this.options),this.addCorePlugins(),this.core.createContainers(this.options),this.core},f.prototype.addCorePlugins=function(){var r=this;return this.loader.corePlugins.forEach(function(t){var e=new t(r.core);r.core.addPlugin(e),r.setupExternalInterface(e)}),this.core},f.prototype.setupExternalInterface=function(t){var e=t.getExternalInterface();for(var r in e)this.player[r]=e[r].bind(t),this.core[r]=e[r].bind(t)},f);function f(t){(0,i.default)(this,f);var e=(0,n.default)(this,d.call(this));return e.player=t,e._options=t.options,e}e.default=c,t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=b(r(12)),n=b(r(0)),a=b(r(1)),o=b(r(3)),s=b(r(2)),l=r(5),u=b(r(79)),d=b(r(4)),c=b(r(30)),f=b(r(24)),h=b(r(14)),p=b(r(167)),g=b(r(31)),m=b(r(40)),v=b(r(25)),y=b(r(20)),A=b(r(6));r(173);var _=b(r(175));function b(t){return t&&t.__esModule?t:{default:t}}var E,T=void 0,S=(E=c.default,(0,s.default)(k,E),(0,o.default)(k,[{key:"events",get:function(){return{webkitfullscreenchange:"handleFullscreenChange",mousemove:"onMouseMove",mouseleave:"onMouseLeave"}}},{key:"attributes",get:function(){return{"data-player":"",tabindex:9999}}},{key:"isReady",get:function(){return!!this.ready}},{key:"i18n",get:function(){return this.getPlugin("strings")||{t:function(t){return t}}}},{key:"mediaControl",get:function(){return this.getPlugin("media_control")||this.dummyMediaControl}},{key:"dummyMediaControl",get:function(){return this._dummyMediaControl||(this._dummyMediaControl=new f.default(this)),this._dummyMediaControl}},{key:"activeContainer",get:function(){return this._activeContainer},set:function(t){this._activeContainer=t,this.trigger(d.default.CORE_ACTIVE_CONTAINER_CHANGED,this._activeContainer)}},{key:"activePlayback",get:function(){return this.activeContainer&&this.activeContainer.playback}}]),k.prototype.configureDomRecycler=function(){var t=this.options&&this.options.playback&&this.options.playback.recycleVideo;l.DomRecycler.configure({recycleVideo:t})},k.prototype.createContainers=function(t){this.defer=A.default.Deferred(),this.defer.promise(this),this.containerFactory=new p.default(t,t.loader,this.i18n,this.playerError),this.prepareContainers()},k.prototype.prepareContainers=function(){var e=this;this.containerFactory.createContainers().then(function(t){return e.setupContainers(t)}).then(function(t){return e.resolveOnContainersReady(t)})},k.prototype.updateSize=function(){this.isFullscreen()?this.setFullscreen():this.setPlayerSize()},k.prototype.setFullscreen=function(){h.default.isiOS||(this.$el.addClass("fullscreen"),this.$el.removeAttr("style"),this.playerInfo.previousSize={width:this.options.width,height:this.options.height},this.playerInfo.currentSize={width:(0,A.default)(window).width(),height:(0,A.default)(window).height()})},k.prototype.setPlayerSize=function(){this.$el.removeClass("fullscreen"),this.playerInfo.currentSize=this.playerInfo.previousSize,this.playerInfo.previousSize={width:(0,A.default)(window).width(),height:(0,A.default)(window).height()},this.resize(this.playerInfo.currentSize)},k.prototype.resize=function(t){(0,l.isNumber)(t.height)||(0,l.isNumber)(t.width)?(this.el.style.height=t.height+"px",this.el.style.width=t.width+"px"):(this.el.style.height=""+t.height,this.el.style.width=""+t.width),this.playerInfo.previousSize={width:this.options.width,height:this.options.height},this.options.width=t.width,this.options.height=t.height,this.playerInfo.currentSize=t,this.triggerResize(this.playerInfo.currentSize)},k.prototype.enableResizeObserver=function(){var t=this;this.resizeObserverInterval=setInterval(function(){t.triggerResize({width:t.el.clientWidth,height:t.el.clientHeight})},500)},k.prototype.triggerResize=function(t){!this.firstResize&&this.oldHeight===t.height&&this.oldWidth===t.width||(this.oldHeight=t.height,this.oldWidth=t.width,this.playerInfo.computedSize=t,this.firstResize=!1,g.default.trigger(this.options.playerId+":"+d.default.PLAYER_RESIZE,t),this.trigger(d.default.CORE_RESIZE,t))},k.prototype.disableResizeObserver=function(){this.resizeObserverInterval&&clearInterval(this.resizeObserverInterval)},k.prototype.resolveOnContainersReady=function(t){var e=this;A.default.when.apply(A.default,t).done(function(){e.defer.resolve(e),e.ready=!0,e.trigger(d.default.CORE_READY)})},k.prototype.addPlugin=function(t){this.plugins.push(t)},k.prototype.hasPlugin=function(t){return!!this.getPlugin(t)},k.prototype.getPlugin=function(e){return this.plugins.filter(function(t){return t.name===e})[0]},k.prototype.load=function(t,e){this.options.mimeType=e,t=t&&t.constructor===Array?t:[t],this.options.sources=t,this.containers.forEach(function(t){return t.destroy()}),this.containerFactory.options=A.default.extend(this.options,{sources:t}),this.prepareContainers()},k.prototype.destroy=function(){this.disableResizeObserver(),this.containers.forEach(function(t){return t.destroy()}),this.plugins.forEach(function(t){return t.destroy()}),this.$el.remove(),(0,A.default)(document).unbind("fullscreenchange",this._boundFullscreenHandler),(0,A.default)(document).unbind("MSFullscreenChange",this._boundFullscreenHandler),(0,A.default)(document).unbind("mozfullscreenchange",this._boundFullscreenHandler),this.stopListening()},k.prototype.handleFullscreenChange=function(){this.trigger(d.default.CORE_FULLSCREEN,this.isFullscreen()),this.updateSize()},k.prototype.handleWindowResize=function(t){var e=window.innerWidth>window.innerHeight?"landscape":"portrait";this._screenOrientation!==e&&(this._screenOrientation=e,this.triggerResize({width:this.el.clientWidth,height:this.el.clientHeight}),this.trigger(d.default.CORE_SCREEN_ORIENTATION_CHANGED,{event:t,orientation:this._screenOrientation}))},k.prototype.removeContainer=function(e){this.stopListening(e),this.containers=this.containers.filter(function(t){return t!==e})},k.prototype.setupContainer=function(t){this.listenTo(t,d.default.CONTAINER_DESTROYED,this.removeContainer),this.containers.push(t)},k.prototype.setupContainers=function(t){return t.forEach(this.setupContainer.bind(this)),this.trigger(d.default.CORE_CONTAINERS_CREATED),this.renderContainers(),this.activeContainer=t[0],this.render(),this.appendToParent(),this.containers},k.prototype.renderContainers=function(){var e=this;this.containers.forEach(function(t){return e.el.appendChild(t.render().el)})},k.prototype.createContainer=function(t,e){var r=this.containerFactory.createContainer(t,e);return this.setupContainer(r),this.el.appendChild(r.render().el),r},k.prototype.getCurrentContainer=function(){return this.activeContainer},k.prototype.getCurrentPlayback=function(){return this.activePlayback},k.prototype.getPlaybackType=function(){return this.activeContainer&&this.activeContainer.getPlaybackType()},k.prototype.isFullscreen=function(){var t=h.default.isiOS&&this.activeContainer&&this.activeContainer.el||this.el;return l.Fullscreen.fullscreenElement()===t},k.prototype.toggleFullscreen=function(){this.isFullscreen()?(l.Fullscreen.cancelFullscreen(),h.default.isiOS||this.$el.removeClass("fullscreen nocursor")):(l.Fullscreen.requestFullscreen(h.default.isiOS?this.activeContainer.el:this.el),h.default.isiOS||this.$el.addClass("fullscreen"))},k.prototype.onMouseMove=function(t){this.trigger(d.default.CORE_MOUSE_MOVE,t)},k.prototype.onMouseLeave=function(t){this.trigger(d.default.CORE_MOUSE_LEAVE,t)},k.prototype.configure=function(t){var e=this;this._options=A.default.extend(this._options,t),this.configureDomRecycler();var r=t.source||t.sources;r&&this.load(r,t.mimeType||this.options.mimeType),this.trigger(d.default.CORE_OPTIONS_CHANGE,t),this.containers.forEach(function(t){return t.configure(e.options)})},k.prototype.appendToParent=function(){this.$el.parent()&&this.$el.parent().length||this.$el.appendTo(this.options.parentElement)},k.prototype.render=function(){T||(T=u.default.getStyleFor(_.default,{baseUrl:this.options.baseUrl})),(0,A.default)("head").append(T),this.options.width=this.options.width||this.$el.width(),this.options.height=this.options.height||this.$el.height();var t={width:this.options.width,height:this.options.height};return this.playerInfo.previousSize=this.playerInfo.currentSize=this.playerInfo.computedSize=t,this.updateSize(),this.previousSize={width:this.$el.width(),height:this.$el.height()},this.enableResizeObserver(),this},k);function k(t){(0,n.default)(this,k);var e=(0,a.default)(this,E.call(this,t));return e.playerError=new v.default(t,e),e.configureDomRecycler(),e.playerInfo=m.default.getInstance(t.playerId),e.firstResize=!0,e.plugins=[],e.containers=[],e._boundFullscreenHandler=function(){return e.handleFullscreenChange()},(0,A.default)(document).bind("fullscreenchange",e._boundFullscreenHandler),(0,A.default)(document).bind("MSFullscreenChange",e._boundFullscreenHandler),(0,A.default)(document).bind("mozfullscreenchange",e._boundFullscreenHandler),h.default.isMobile&&(0,A.default)(window).bind("resize",function(t){e.handleWindowResize(t)}),e}e.default=S,(0,i.default)(S.prototype,y.default),t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i,n=r(168),a=(i=n)&&i.__esModule?i:{default:i};e.default=a.default,t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var s=f(r(39)),a=f(r(0)),o=f(r(1)),i=f(r(3)),n=f(r(2)),l=f(r(15)),u=f(r(4)),d=f(r(81)),c=f(r(6));function f(t){return t&&t.__esModule?t:{default:t}}var h,p=(h=l.default,(0,n.default)(g,h),(0,i.default)(g,[{key:"options",get:function(){return this._options},set:function(t){this._options=t}}]),g.prototype.createContainers=function(){var e=this;return c.default.Deferred(function(t){t.resolve(e.options.sources.map(function(t){return e.createContainer(t)}))})},g.prototype.findPlaybackPlugin=function(e,r){return this.loader.playbackPlugins.filter(function(t){return t.canPlay(e,r)})[0]},g.prototype.createContainer=function(t){var e=null,r=this.options.mimeType;"object"===(void 0===t?"undefined":(0,s.default)(t))?(e=t.source.toString(),t.mimeType&&(r=t.mimeType)):e=t.toString(),e.match(/^\/\//)&&(e=window.location.protocol+e);var i=c.default.extend({},this.options,{src:e,mimeType:r}),n=new(this.findPlaybackPlugin(e,r))(i,this._i18n,this.playerError);i=c.default.extend({},i,{playback:n});var a=new d.default(i,this._i18n,this.playerError),o=c.default.Deferred();return o.promise(a),this.addContainerPlugins(a),this.listenToOnce(a,u.default.CONTAINER_READY,function(){return o.resolve(a)}),a},g.prototype.addContainerPlugins=function(e){this.loader.containerPlugins.forEach(function(t){e.addPlugin(new t(e))})},g);function g(t,e,r,i){(0,a.default)(this,g);var n=(0,o.default)(this,h.call(this,t));return n._i18n=r,n.loader=e,n.playerError=i,n}e.default=p,t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=h(r(12)),n=h(r(0)),a=h(r(1)),o=h(r(3)),s=h(r(2)),l=h(r(4)),u=h(r(30)),d=h(r(20)),c=r(5);r(170);var f=h(r(6));function h(t){return t&&t.__esModule?t:{default:t}}var p,g=(p=u.default,(0,s.default)(m,p),(0,o.default)(m,[{key:"name",get:function(){return"Container"}},{key:"attributes",get:function(){return{class:"container","data-container":""}}},{key:"events",get:function(){return{click:"clicked",dblclick:"dblClicked",touchend:"dblTap",contextmenu:"onContextMenu",mouseenter:"mouseEnter",mouseleave:"mouseLeave"}}},{key:"ended",get:function(){return this.playback.ended}},{key:"buffering",get:function(){return this.playback.buffering}},{key:"i18n",get:function(){return this._i18n}},{key:"hasClosedCaptionsTracks",get:function(){return this.playback.hasClosedCaptionsTracks}},{key:"closedCaptionsTracks",get:function(){return this.playback.closedCaptionsTracks}},{key:"closedCaptionsTrackId",get:function(){return this.playback.closedCaptionsTrackId},set:function(t){this.playback.closedCaptionsTrackId=t}}]),m.prototype.bindEvents=function(){this.listenTo(this.playback,l.default.PLAYBACK_PROGRESS,this.onProgress),this.listenTo(this.playback,l.default.PLAYBACK_TIMEUPDATE,this.timeUpdated),this.listenTo(this.playback,l.default.PLAYBACK_READY,this.ready),this.listenTo(this.playback,l.default.PLAYBACK_BUFFERING,this.onBuffering),this.listenTo(this.playback,l.default.PLAYBACK_BUFFERFULL,this.bufferfull),this.listenTo(this.playback,l.default.PLAYBACK_SETTINGSUPDATE,this.settingsUpdate),this.listenTo(this.playback,l.default.PLAYBACK_LOADEDMETADATA,this.loadedMetadata),this.listenTo(this.playback,l.default.PLAYBACK_HIGHDEFINITIONUPDATE,this.highDefinitionUpdate),this.listenTo(this.playback,l.default.PLAYBACK_BITRATE,this.updateBitrate),this.listenTo(this.playback,l.default.PLAYBACK_PLAYBACKSTATE,this.playbackStateChanged),this.listenTo(this.playback,l.default.PLAYBACK_DVR,this.playbackDvrStateChanged),this.listenTo(this.playback,l.default.PLAYBACK_MEDIACONTROL_DISABLE,this.disableMediaControl),this.listenTo(this.playback,l.default.PLAYBACK_MEDIACONTROL_ENABLE,this.enableMediaControl),this.listenTo(this.playback,l.default.PLAYBACK_SEEKED,this.onSeeked),this.listenTo(this.playback,l.default.PLAYBACK_ENDED,this.onEnded),this.listenTo(this.playback,l.default.PLAYBACK_PLAY,this.playing),this.listenTo(this.playback,l.default.PLAYBACK_PAUSE,this.paused),this.listenTo(this.playback,l.default.PLAYBACK_STOP,this.stopped),this.listenTo(this.playback,l.default.PLAYBACK_ERROR,this.error),this.listenTo(this.playback,l.default.PLAYBACK_SUBTITLE_AVAILABLE,this.subtitleAvailable),this.listenTo(this.playback,l.default.PLAYBACK_SUBTITLE_CHANGED,this.subtitleChanged)},m.prototype.subtitleAvailable=function(){this.trigger(l.default.CONTAINER_SUBTITLE_AVAILABLE)},m.prototype.subtitleChanged=function(t){this.trigger(l.default.CONTAINER_SUBTITLE_CHANGED,t)},m.prototype.playbackStateChanged=function(t){this.trigger(l.default.CONTAINER_PLAYBACKSTATE,t)},m.prototype.playbackDvrStateChanged=function(t){this.settings=this.playback.settings,this.dvrInUse=t,this.trigger(l.default.CONTAINER_PLAYBACKDVRSTATECHANGED,t)},m.prototype.updateBitrate=function(t){this.trigger(l.default.CONTAINER_BITRATE,t)},m.prototype.statsReport=function(t){this.trigger(l.default.CONTAINER_STATS_REPORT,t)},m.prototype.getPlaybackType=function(){return this.playback.getPlaybackType()},m.prototype.isDvrEnabled=function(){return!!this.playback.dvrEnabled},m.prototype.isDvrInUse=function(){return!!this.dvrInUse},m.prototype.destroy=function(){this.trigger(l.default.CONTAINER_DESTROYED,this,this.name),this.stopListening(),this.plugins.forEach(function(t){return t.destroy()}),this.$el.remove()},m.prototype.setStyle=function(t){this.$el.css(t)},m.prototype.animate=function(t,e){return this.$el.animate(t,e).promise()},m.prototype.ready=function(){this.isReady=!0,this.trigger(l.default.CONTAINER_READY,this.name)},m.prototype.isPlaying=function(){return this.playback.isPlaying()},m.prototype.getStartTimeOffset=function(){return this.playback.getStartTimeOffset()},m.prototype.getCurrentTime=function(){return this.currentTime},m.prototype.getDuration=function(){return this.playback.getDuration()},m.prototype.error=function(t){this.isReady||this.ready(),this.trigger(l.default.CONTAINER_ERROR,t,this.name)},m.prototype.loadedMetadata=function(t){this.trigger(l.default.CONTAINER_LOADEDMETADATA,t)},m.prototype.timeUpdated=function(t){this.currentTime=t.current,this.trigger(l.default.CONTAINER_TIMEUPDATE,t,this.name)},m.prototype.onProgress=function(){for(var t=arguments.length,e=Array(t),r=0;r<t;r++)e[r]=arguments[r];this.trigger.apply(this,[l.default.CONTAINER_PROGRESS].concat(e,[this.name]))},m.prototype.playing=function(){this.trigger(l.default.CONTAINER_PLAY,this.name)},m.prototype.paused=function(){this.trigger(l.default.CONTAINER_PAUSE,this.name)},m.prototype.play=function(){this.playback.play()},m.prototype.stop=function(){this.playback.stop(),this.currentTime=0},m.prototype.pause=function(){this.playback.pause()},m.prototype.onEnded=function(){this.trigger(l.default.CONTAINER_ENDED,this,this.name),this.currentTime=0},m.prototype.stopped=function(){this.trigger(l.default.CONTAINER_STOP)},m.prototype.clicked=function(){var t=this;this.options.chromeless&&!this.options.allowUserInteraction||(this.clickTimer=setTimeout(function(){t.clickTimer&&t.trigger(l.default.CONTAINER_CLICK,t,t.name)},this.clickDelay))},m.prototype.cancelClicked=function(){clearTimeout(this.clickTimer),this.clickTimer=null},m.prototype.dblClicked=function(){this.options.chromeless&&!this.options.allowUserInteraction||(this.cancelClicked(),this.trigger(l.default.CONTAINER_DBLCLICK,this,this.name))},m.prototype.dblTap=function(t){var e=this;this.options.chromeless&&!this.options.allowUserInteraction||this.dblTapHandler.handle(t,function(){e.cancelClicked(),e.trigger(l.default.CONTAINER_DBLCLICK,e,e.name)})},m.prototype.onContextMenu=function(t){this.options.chromeless&&!this.options.allowUserInteraction||this.trigger(l.default.CONTAINER_CONTEXTMENU,t,this.name)},m.prototype.seek=function(t){this.trigger(l.default.CONTAINER_SEEK,t,this.name),this.playback.seek(t)},m.prototype.onSeeked=function(){this.trigger(l.default.CONTAINER_SEEKED,this.name)},m.prototype.seekPercentage=function(t){var e=this.getDuration();if(0<=t&&t<=100){var r=e*(t/100);this.seek(r)}},m.prototype.setVolume=function(t){this.volume=parseFloat(t),this.trigger(l.default.CONTAINER_VOLUME,this.volume,this.name),this.playback.volume(this.volume)},m.prototype.fullscreen=function(){this.trigger(l.default.CONTAINER_FULLSCREEN,this.name)},m.prototype.onBuffering=function(){this.trigger(l.default.CONTAINER_STATE_BUFFERING,this.name)},m.prototype.bufferfull=function(){this.trigger(l.default.CONTAINER_STATE_BUFFERFULL,this.name)},m.prototype.addPlugin=function(t){this.plugins.push(t)},m.prototype.hasPlugin=function(t){return!!this.getPlugin(t)},m.prototype.getPlugin=function(e){return this.plugins.filter(function(t){return t.name===e})[0]},m.prototype.mouseEnter=function(){this.options.chromeless&&!this.options.allowUserInteraction||this.trigger(l.default.CONTAINER_MOUSE_ENTER)},m.prototype.mouseLeave=function(){this.options.chromeless&&!this.options.allowUserInteraction||this.trigger(l.default.CONTAINER_MOUSE_LEAVE)},m.prototype.settingsUpdate=function(){this.settings=this.playback.settings,this.trigger(l.default.CONTAINER_SETTINGSUPDATE)},m.prototype.highDefinitionUpdate=function(t){this.trigger(l.default.CONTAINER_HIGHDEFINITIONUPDATE,t)},m.prototype.isHighDefinitionInUse=function(){return this.playback.isHighDefinitionInUse()},m.prototype.disableMediaControl=function(){this.mediaControlDisabled||(this.mediaControlDisabled=!0,this.trigger(l.default.CONTAINER_MEDIACONTROL_DISABLE))},m.prototype.enableMediaControl=function(){this.mediaControlDisabled&&(this.mediaControlDisabled=!1,this.trigger(l.default.CONTAINER_MEDIACONTROL_ENABLE))},m.prototype.updateStyle=function(){!this.options.chromeless||this.options.allowUserInteraction?this.$el.removeClass("chromeless"):this.$el.addClass("chromeless")},m.prototype.configure=function(t){this._options=f.default.extend(this._options,t),this.updateStyle(),this.playback.configure(this.options),this.trigger(l.default.CONTAINER_OPTIONS_CHANGE)},m.prototype.render=function(){return this.$el.append(this.playback.render().el),this.updateStyle(),this},m);function m(t,e,r){(0,n.default)(this,m);var i=(0,a.default)(this,p.call(this,t));return i._i18n=e,i.currentTime=0,i.volume=100,i.playback=t.playback,i.playerError=r,i.settings=f.default.extend({},i.playback.settings),i.isReady=!1,i.mediaControlDisabled=!1,i.plugins=[i.playback],i.dblTapHandler=new c.DoubleEventHandler(500),i.clickTimer=null,i.clickDelay=200,i.bindEvents(),i}e.default=g,(0,i.default)(g.prototype,d.default),t.exports=e.default},function(t,e,r){var i=r(171);"string"==typeof i&&(i=[[t.i,i,""]]);var n={singleton:!0,hmr:!0,transform:void 0,insertInto:void 0};r(10)(i,n);i.locals&&(t.exports=i.locals)},function(t,e,r){(t.exports=r(8)(!1)).push([t.i,".container[data-container]{position:absolute;background-color:#000;height:100%;width:100%;max-width:100%}.container[data-container] .chromeless{cursor:default}[data-player]:not(.nocursor) .container[data-container]:not(.chromeless).pointer-enabled{cursor:pointer}",""])},function(t,e){t.exports=function(t){var e="undefined"!=typeof window&&window.location;if(!e)throw new Error("fixUrls requires window.location");if(!t||"string"!=typeof t)return t;var n=e.protocol+"//"+e.host,a=n+e.pathname.replace(/\/[^\/]*$/,"/");return t.replace(/url\s*\(((?:[^)(]|\((?:[^)(]+|\([^)(]*\))*\))*)\)/gi,function(t,e){var r,i=e.trim().replace(/^"(.*)"$/,function(t,e){return e}).replace(/^'(.*)'$/,function(t,e){return e});return/^(#|data:|http:\/\/|https:\/\/|file:\/\/\/|\s*$)/i.test(i)?t:(r=0===i.indexOf("//")?i:0===i.indexOf("/")?n+i:a+i.replace(/^\.\//,""),"url("+JSON.stringify(r)+")")})}},function(t,e,r){var i=r(174);"string"==typeof i&&(i=[[t.i,i,""]]);var n={singleton:!0,hmr:!0,transform:void 0,insertInto:void 0};r(10)(i,n);i.locals&&(t.exports=i.locals)},function(t,e,r){(t.exports=r(8)(!1)).push([t.i,'[data-player]{-webkit-touch-callout:none;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;-o-user-select:none;user-select:none;-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale;-webkit-transform:translateZ(0);transform:translateZ(0);position:relative;margin:0;padding:0;border:0;font-style:normal;font-weight:400;text-align:center;overflow:hidden;font-size:100%;font-family:Roboto,Open Sans,Arial,sans-serif;text-shadow:0 0 0;box-sizing:border-box}[data-player] a,[data-player] abbr,[data-player] acronym,[data-player] address,[data-player] applet,[data-player] article,[data-player] aside,[data-player] audio,[data-player] b,[data-player] big,[data-player] blockquote,[data-player] canvas,[data-player] caption,[data-player] center,[data-player] cite,[data-player] code,[data-player] dd,[data-player] del,[data-player] details,[data-player] dfn,[data-player] div,[data-player] dl,[data-player] dt,[data-player] em,[data-player] embed,[data-player] fieldset,[data-player] figcaption,[data-player] figure,[data-player] footer,[data-player] form,[data-player] h1,[data-player] h2,[data-player] h3,[data-player] h4,[data-player] h5,[data-player] h6,[data-player] header,[data-player] hgroup,[data-player] i,[data-player] iframe,[data-player] img,[data-player] ins,[data-player] kbd,[data-player] label,[data-player] legend,[data-player] li,[data-player] mark,[data-player] menu,[data-player] nav,[data-player] object,[data-player] ol,[data-player] output,[data-player] p,[data-player] pre,[data-player] q,[data-player] ruby,[data-player] s,[data-player] samp,[data-player] section,[data-player] small,[data-player] span,[data-player] strike,[data-player] strong,[data-player] sub,[data-player] summary,[data-player] sup,[data-player] table,[data-player] tbody,[data-player] td,[data-player] tfoot,[data-player] th,[data-player] thead,[data-player] time,[data-player] tr,[data-player] tt,[data-player] u,[data-player] ul,[data-player] var,[data-player] video{margin:0;padding:0;border:0;font:inherit;font-size:100%;vertical-align:baseline}[data-player] table{border-collapse:collapse;border-spacing:0}[data-player] caption,[data-player] td,[data-player] th{text-align:left;font-weight:400;vertical-align:middle}[data-player] blockquote,[data-player] q{quotes:none}[data-player] blockquote:after,[data-player] blockquote:before,[data-player] q:after,[data-player] q:before{content:"";content:none}[data-player] a img{border:none}[data-player]:focus{outline:0}[data-player] *{max-width:none;box-sizing:inherit;float:none}[data-player] div{display:block}[data-player].fullscreen{width:100%!important;height:100%!important;top:0;left:0}[data-player].nocursor{cursor:none}.clappr-style{display:none!important}',""])},function(t,e,r){var i=r(82);(t.exports=r(8)(!1)).push([t.i,'@font-face{font-family:Roboto;font-style:normal;font-weight:400;src:local("Roboto"),local("Roboto-Regular"),url('+i(r(176))+') format("truetype")}',""])},function(t,e){t.exports="<%=baseUrl%>/38861cba61c66739c1452c3a71e39852.ttf"},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var n=D(r(76)),a=D(r(62)),o=D(r(0)),s=D(r(1)),i=D(r(2)),l=D(r(15)),u=D(r(40)),d=D(r(41)),c=D(r(85)),f=D(r(86)),h=D(r(87)),p=D(r(88)),g=D(r(90)),m=D(r(91)),v=D(r(92)),y=D(r(213)),A=D(r(93)),_=D(r(94)),b=D(r(223)),E=D(r(95)),T=D(r(96)),S=D(r(98)),k=D(r(234)),L=D(r(99)),R=D(r(240)),C=D(r(245)),w=D(r(246)),O=D(r(247)),P=D(r(248));function D(t){return t&&t.__esModule?t:{default:t}}var I,x=(I=l.default,(0,i.default)(M,I),M.prototype.groupPluginsByType=function(t){return Array.isArray(t)&&(t=t.reduce(function(t,e){return t[e.type]||(t[e.type]=[]),t[e.type].push(e),t},{})),t},M.prototype.removeDups=function(t){var e=t.reduceRight(function(t,e){return t[e.prototype.name]&&delete t[e.prototype.name],t[e.prototype.name]=e,t},(0,n.default)(null)),r=[];for(var i in e)r.unshift(e[i]);return r},M.prototype.addExternalPlugins=function(t){(t=this.groupPluginsByType(t)).playback&&(this.playbackPlugins=this.removeDups(t.playback.concat(this.playbackPlugins))),t.container&&(this.containerPlugins=this.removeDups(t.container.concat(this.containerPlugins))),t.core&&(this.corePlugins=this.removeDups(t.core.concat(this.corePlugins))),u.default.getInstance(this.playerId).playbackPlugins=this.playbackPlugins},M.prototype.validateExternalPluginsType=function(t){["playback","container","core"].forEach(function(r){(t[r]||[]).forEach(function(t){var e="external "+t.type+" plugin on "+r+" array";if(t.type!==r)throw new ReferenceError(e)})})},M);function M(){var t=0<arguments.length&&void 0!==arguments[0]?arguments[0]:[],e=1<arguments.length&&void 0!==arguments[1]?arguments[1]:0,r=2<arguments.length&&void 0!==arguments[2]&&arguments[2];(0,o.default)(this,M);var i=(0,s.default)(this,I.call(this));return i.playerId=e,i.playbackPlugins=[],r||(i.playbackPlugins=[].concat((0,a.default)(i.playbackPlugins),[p.default])),i.playbackPlugins=[].concat((0,a.default)(i.playbackPlugins),[d.default,f.default]),r||(i.playbackPlugins=[].concat((0,a.default)(i.playbackPlugins),[c.default,h.default])),i.playbackPlugins=[].concat((0,a.default)(i.playbackPlugins),[g.default,m.default]),i.containerPlugins=[v.default,A.default,_.default,y.default,b.default,E.default],i.corePlugins=[T.default,S.default,k.default,L.default,R.default,C.default,w.default,P.default,O.default],Array.isArray(t)||i.validateExternalPluginsType(t),i.addExternalPlugins(t),i}e.default=x,t.exports=e.default},function(t,e,r){r(54),r(179),t.exports=r(9).Array.from},function(t,e,r){"use strict";var p=r(44),i=r(16),g=r(38),m=r(180),v=r(181),y=r(69),A=r(182),_=r(77);i(i.S+i.F*!r(183)(function(t){Array.from(t)}),"Array",{from:function(t,e,r){var i,n,a,o,s=g(t),l="function"==typeof this?this:Array,u=arguments.length,d=1<u?e:void 0,c=void 0!==d,f=0,h=_(s);if(c&&(d=p(d,2<u?r:void 0,2)),null==h||l==Array&&v(h))for(n=new l(i=y(s.length));f<i;f++)A(n,f,c?d(s[f],f):s[f]);else for(o=h.call(s),n=new l;!(a=o.next()).done;f++)A(n,f,c?m(o,d,[a.value,f],!0):a.value);return n.length=f,n}})},function(t,e,r){var a=r(21);t.exports=function(e,t,r,i){try{return i?t(a(r)[0],r[1]):t(r)}catch(t){var n=e.return;throw void 0!==n&&a(n.call(e)),t}}},function(t,e,r){var i=r(34),n=r(13)("iterator"),a=Array.prototype;t.exports=function(t){return void 0!==t&&(i.Array===t||a[n]===t)}},function(t,e,r){"use strict";var i=r(18),n=r(33);t.exports=function(t,e,r){e in t?i.f(t,e,n(0,r)):t[e]=r}},function(t,e,r){var a=r(13)("iterator"),o=!1;try{var i=[7][a]();i.return=function(){o=!0},Array.from(i,function(){throw 2})}catch(t){}t.exports=function(t,e){if(!e&&!o)return!1;var r=!1;try{var i=[7],n=i[a]();n.next=function(){return{done:r=!0}},i[a]=function(){return n},t(i)}catch(t){}return r}},function(k,L,R){"use strict";(function(i){Object.defineProperty(L,"__esModule",{value:!0});var t=v(R(84)),s=v(R(0)),l=v(R(1)),e=v(R(3)),r=v(R(2)),n=v(R(62)),a=v(R(53)),o=R(5),u=v(R(11)),d=v(R(14)),c=v(R(25)),f=v(R(4)),h=v(R(29)),p=v(R(6)),g=v(R(7)),m=v(R(185));function v(t){return t&&t.__esModule?t:{default:t}}R(186);var y={mp4:["avc1.42E01E","avc1.58A01E","avc1.4D401E","avc1.64001E","mp4v.20.8","mp4v.20.240","mp4a.40.2"].map(function(t){return'video/mp4; codecs="'+t+', mp4a.40.2"'}),ogg:['video/ogg; codecs="theora, vorbis"','video/ogg; codecs="dirac"','video/ogg; codecs="theora, speex"'],"3gpp":['video/3gpp; codecs="mp4v.20.8, samr"'],webm:['video/webm; codecs="vp8, vorbis"'],mkv:['video/x-matroska; codecs="theora, vorbis"'],m3u8:["application/x-mpegurl"]};y.ogv=y.ogg,y["3gp"]=y["3gpp"];var A,_={wav:["audio/wav"],mp3:["audio/mp3",'audio/mpeg;codecs="mp3"'],aac:['audio/mp4;codecs="mp4a.40.5"'],oga:["audio/ogg"]},b=(0,a.default)(_).reduce(function(t,e){return[].concat((0,n.default)(t),(0,n.default)(_[e]))},[]),E={code:"unknown",message:"unknown"},T=(A=u.default,(0,r.default)(S,A),(0,e.default)(S,[{key:"name",get:function(){return"html5_video"}},{key:"tagName",get:function(){return this.isAudioOnly?"audio":"video"}},{key:"isAudioOnly",get:function(){var t=this.options.src,e=S._mimeTypesForUrl(t,_,this.options.mimeType);return this.options.playback&&this.options.playback.audioOnly||this.options.audioOnly||0<=b.indexOf(e[0])}},{key:"attributes",get:function(){return{"data-html5-video":""}}},{key:"events",get:function(){return{canplay:"_onCanPlay",canplaythrough:"_handleBufferingEvents",durationchange:"_onDurationChange",ended:"_onEnded",error:"_onError",loadeddata:"_onLoadedData",loadedmetadata:"_onLoadedMetadata",pause:"_onPause",playing:"_onPlaying",progress:"_onProgress",seeking:"_onSeeking",seeked:"_onSeeked",stalled:"_handleBufferingEvents",timeupdate:"_onTimeUpdate",waiting:"_onWaiting"}}},{key:"ended",get:function(){return this.el.ended}},{key:"buffering",get:function(){return this._isBuffering}}]),S.prototype.configure=function(t){A.prototype.configure.call(this,t),this.el.loop=!!t.loop},S.prototype.attemptAutoPlay=function(){var r=this;this.canAutoPlay(function(t,e){e&&h.default.warn(r.name,"autoplay error.",{result:t,error:e}),t&&i.nextTick(function(){return!r._destroyed&&r.play()})})},S.prototype.canAutoPlay=function(t){this.options.disableCanAutoPlay&&t(!0,null);var e={timeout:this.options.autoPlayTimeout||500,inline:this.options.playback.playInline||!1,muted:this.options.mute||!1};d.default.isMobile&&o.DomRecycler.options.recycleVideo&&(e.element=this.el),(0,o.canAutoPlayMedia)(t,e)},S.prototype._setupExternalTracks=function(t){this._externalTracks=t.map(function(t){return{kind:t.kind||"subtitles",label:t.label,lang:t.lang,src:t.src}})},S.prototype._setupSrc=function(t){this.el.src!==t&&(this._ccIsSetup=!1,this.el.src=t,this._src=this.el.src)},S.prototype._onLoadedMetadata=function(t){this._handleBufferingEvents(),this.trigger(f.default.PLAYBACK_LOADEDMETADATA,{duration:t.target.duration,data:t}),this._updateSettings();var e=void 0===this._options.autoSeekFromUrl||this._options.autoSeekFromUrl;this.getPlaybackType()!==u.default.LIVE&&e&&this._checkInitialSeek()},S.prototype._onDurationChange=function(){this._updateSettings(),this._onTimeUpdate(),this._onProgress()},S.prototype._updateSettings=function(){this.getPlaybackType()===u.default.VOD||this.getPlaybackType()===u.default.AOD?this.settings.left=["playpause","position","duration"]:this.settings.left=["playstop"],this.settings.seekEnabled=this.isSeekEnabled(),this.trigger(f.default.PLAYBACK_SETTINGSUPDATE)},S.prototype.isSeekEnabled=function(){return isFinite(this.getDuration())},S.prototype.getPlaybackType=function(){var t="audio"===this.tagName?u.default.AOD:u.default.VOD;return 0<=[0,void 0,1/0].indexOf(this.el.duration)?u.default.LIVE:t},S.prototype.isHighDefinitionInUse=function(){return!1},S.prototype.consent=function(){this.isPlaying()||(A.prototype.consent.call(this),this.el.load())},S.prototype.play=function(){this.trigger(f.default.PLAYBACK_PLAY_INTENT),this._stopped=!1,this._setupSrc(this._src),this._handleBufferingEvents();var t=this.el.play();t&&t.catch&&t.catch(function(){})},S.prototype.pause=function(){this.el.pause()},S.prototype.stop=function(){this.pause(),this._stopped=!0,this.el.removeAttribute("src"),this.el.load(),this._stopPlayheadMovingChecks(),this._handleBufferingEvents(),this.trigger(f.default.PLAYBACK_STOP)},S.prototype.volume=function(t){0===t?(this.$el.attr({muted:"true"}),this.el.muted=!0):(this.$el.attr({muted:null}),this.el.muted=!1,this.el.volume=t/100)},S.prototype.mute=function(){this.el.muted=!0},S.prototype.unmute=function(){this.el.muted=!1},S.prototype.isMuted=function(){return!0===this.el.muted||0===this.el.volume},S.prototype.isPlaying=function(){return!this.el.paused&&!this.el.ended},S.prototype._startPlayheadMovingChecks=function(){null===this._playheadMovingTimer&&(this._playheadMovingTimeOnCheck=null,this._determineIfPlayheadMoving(),this._playheadMovingTimer=setInterval(this._determineIfPlayheadMoving.bind(this),500))},S.prototype._stopPlayheadMovingChecks=function(){null!==this._playheadMovingTimer&&(clearInterval(this._playheadMovingTimer),this._playheadMovingTimer=null,this._playheadMoving=!1)},S.prototype._determineIfPlayheadMoving=function(){var t=this._playheadMovingTimeOnCheck,e=this.el.currentTime;this._playheadMoving=t!==e,this._playheadMovingTimeOnCheck=e,this._handleBufferingEvents()},S.prototype._onWaiting=function(){this._loadStarted=!0,this._handleBufferingEvents()},S.prototype._onLoadedData=function(){this._loadStarted=!0,this._handleBufferingEvents()},S.prototype._onCanPlay=function(){this._handleBufferingEvents()},S.prototype._onPlaying=function(){this._checkForClosedCaptions(),this._startPlayheadMovingChecks(),this._handleBufferingEvents(),this.trigger(f.default.PLAYBACK_PLAY)},S.prototype._onPause=function(){this._stopPlayheadMovingChecks(),this._handleBufferingEvents(),this.trigger(f.default.PLAYBACK_PAUSE)},S.prototype._onSeeking=function(){this._handleBufferingEvents(),this.trigger(f.default.PLAYBACK_SEEK)},S.prototype._onSeeked=function(){this._handleBufferingEvents(),this.trigger(f.default.PLAYBACK_SEEKED)},S.prototype._onEnded=function(){this._handleBufferingEvents(),this.trigger(f.default.PLAYBACK_ENDED,this.name)},S.prototype._handleBufferingEvents=function(){var t=!this.el.ended&&!this.el.paused,e=this._loadStarted&&!this.el.ended&&!this._stopped&&(t&&!this._playheadMoving||this.el.readyState<this.el.HAVE_FUTURE_DATA);this._isBuffering!==e&&((this._isBuffering=e)?this.trigger(f.default.PLAYBACK_BUFFERING,this.name):this.trigger(f.default.PLAYBACK_BUFFERFULL,this.name))},S.prototype._onError=function(){var t=this.el.error||E,e=t.code,r=t.message,i=e===E.code,n=this.createError({code:e,description:r,raw:this.el.error,level:i?c.default.Levels.WARN:c.default.Levels.FATAL});i?h.default.warn(this.name,"HTML5 unknown error: ",n):this.trigger(f.default.PLAYBACK_ERROR,n)},S.prototype.destroy=function(){this._destroyed=!0,this.handleTextTrackChange&&this.el.textTracks.removeEventListener("change",this.handleTextTrackChange),A.prototype.destroy.call(this),this.el.removeAttribute("src"),this.el.load(),this._src=null,o.DomRecycler.garbage(this.$el)},S.prototype.seek=function(t){this.el.currentTime=t},S.prototype.seekPercentage=function(t){var e=this.el.duration*(t/100);this.seek(e)},S.prototype._checkInitialSeek=function(){var t=(0,o.seekStringToSeconds)();0!==t&&this.seek(t)},S.prototype.getCurrentTime=function(){return this.el.currentTime},S.prototype.getDuration=function(){return this.el.duration},S.prototype._onTimeUpdate=function(){this.getPlaybackType()===u.default.LIVE?this.trigger(f.default.PLAYBACK_TIMEUPDATE,{current:1,total:1},this.name):this.trigger(f.default.PLAYBACK_TIMEUPDATE,{current:this.el.currentTime,total:this.el.duration},this.name)},S.prototype._onProgress=function(){if(this.el.buffered.length){for(var t=[],e=0,r=0;r<this.el.buffered.length;r++)t=[].concat((0,n.default)(t),[{start:this.el.buffered.start(r),end:this.el.buffered.end(r)}]),this.el.currentTime>=t[r].start&&this.el.currentTime<=t[r].end&&(e=r);var i={start:t[e].start,current:t[e].end,total:this.el.duration};this.trigger(f.default.PLAYBACK_PROGRESS,i,t)}},S.prototype._typeFor=function(t){var e=S._mimeTypesForUrl(t,y,this.options.mimeType);return 0===e.length&&(e=S._mimeTypesForUrl(t,_,this.options.mimeType)),(e[0]||"").split(";")[0]},S.prototype._ready=function(){this._isReadyState||(this._isReadyState=!0,this.trigger(f.default.PLAYBACK_READY,this.name))},S.prototype._checkForClosedCaptions=function(){if(this.isHTML5Video&&!this._ccIsSetup){if(this.hasClosedCaptionsTracks){this.trigger(f.default.PLAYBACK_SUBTITLE_AVAILABLE);var t=this.closedCaptionsTrackId;this.closedCaptionsTrackId=t,this.handleTextTrackChange=this._handleTextTrackChange.bind(this),this.el.textTracks.addEventListener("change",this.handleTextTrackChange)}this._ccIsSetup=!0}},S.prototype._handleTextTrackChange=function(){var t=this.closedCaptionsTracks.find(function(t){return"showing"===t.track.mode})||{id:-1};this._ccTrackId!==t.id&&(this._ccTrackId=t.id,this.trigger(f.default.PLAYBACK_SUBTITLE_CHANGED,{id:t.id}))},S.prototype.render=function(){return this.options.playback.disableContextMenu&&this.$el.on("contextmenu",function(){return!1}),this._externalTracks&&0<this._externalTracks.length&&this.$el.html(this.template({tracks:this._externalTracks})),this._ready(),this},(0,e.default)(S,[{key:"isReady",get:function(){return this._isReadyState}},{key:"isHTML5Video",get:function(){return this.name===S.prototype.name}},{key:"closedCaptionsTracks",get:function(){var e=0;return(this.el.textTracks?(0,t.default)(this.el.textTracks):[]).filter(function(t){return"subtitles"===t.kind||"captions"===t.kind}).map(function(t){return{id:e++,name:t.label,track:t}})}},{key:"closedCaptionsTrackId",get:function(){return this._ccTrackId},set:function(e){if((0,o.isNumber)(e)){var t=this.closedCaptionsTracks,r=void 0;if(-1!==e){if(!(r=t.find(function(t){return t.id===e})))return;if("showing"===r.track.mode)return}t.filter(function(t){return"hidden"!==t.track.mode}).forEach(function(t){return t.track.mode="hidden"}),r&&(r.track.mode="showing"),this._ccTrackId=e,this.trigger(f.default.PLAYBACK_SUBTITLE_CHANGED,{id:e})}}},{key:"template",get:function(){return(0,g.default)(m.default)}}]),S);function S(){(0,s.default)(this,S);for(var t=arguments.length,e=Array(t),r=0;r<t;r++)e[r]=arguments[r];var i=(0,l.default)(this,A.call.apply(A,[this].concat(e)));i._destroyed=!1,i._loadStarted=!1,i._isBuffering=!1,i._playheadMoving=!1,i._playheadMovingTimer=null,i._stopped=!1,i._ccTrackId=-1,i._setupSrc(i.options.src),i.options.playback||(i.options.playback=i.options||{}),i.options.playback.disableContextMenu=i.options.playback.disableContextMenu||i.options.disableVideoTagContextMenu;var n=i.options.playback,a=n.preload||(d.default.isSafari?"auto":i.options.preload),o=void 0;return i.options.poster&&("string"==typeof i.options.poster?o=i.options.poster:"string"==typeof i.options.poster.url&&(o=i.options.poster.url)),p.default.extend(i.el,{muted:i.options.mute,defaultMuted:i.options.mute,loop:i.options.loop,poster:o,preload:a||"metadata",controls:(n.controls||i.options.useVideoTagDefaultControls)&&"controls",crossOrigin:n.crossOrigin,"x-webkit-playsinline":n.playInline}),n.playInline&&i.$el.attr({playsinline:"playsinline"}),n.crossOrigin&&i.$el.attr({crossorigin:n.crossOrigin}),i.settings={default:["seekbar"]},i.settings.left=["playpause","position","duration"],i.settings.right=["fullscreen","volume","hd-indicator"],n.externalTracks&&i._setupExternalTracks(n.externalTracks),i.options.autoPlay&&i.attemptAutoPlay(),i}(L.default=T)._mimeTypesForUrl=function(t,e,r){var i=(t.split("?")[0].match(/.*\.(.*)$/)||[])[1],n=r||i&&e[i.toLowerCase()]||[];return n.constructor===Array?n:[n]},T._canPlay=function(t,e,r,i){var n=T._mimeTypesForUrl(r,e,i),a=document.createElement(t);return!!n.filter(function(t){return!!a.canPlayType(t).replace(/no/,"")})[0]},T.canPlay=function(t,e){return T._canPlay("audio",_,t,e)||T._canPlay("video",y,t,e)},k.exports=L.default}).call(this,R(63))},function(t,e){t.exports='<% for (var i = 0; i < tracks.length; i++) { %>\n <track data-html5-video-track="<%= i %>" kind="<%= tracks[i].kind %>" label="<%= tracks[i].label %>" srclang="<%= tracks[i].lang %>" src="<%= tracks[i].src %>" />\n<% }; %>\n'},function(t,e,r){var i=r(187);"string"==typeof i&&(i=[[t.i,i,""]]);var n={singleton:!0,hmr:!0,transform:void 0,insertInto:void 0};r(10)(i,n);i.locals&&(t.exports=i.locals)},function(t,e,r){(t.exports=r(8)(!1)).push([t.i,"[data-html5-video]{position:absolute;height:100%;width:100%;display:block}",""])},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var n=m(r(0)),a=m(r(1)),i=m(r(3)),o=m(r(2)),s=r(5),l=m(r(64)),u=m(r(14)),d=m(r(31)),c=m(r(7)),f=m(r(6)),h=m(r(4)),p=m(r(11)),g=m(r(193));function m(t){return t&&t.__esModule?t:{default:t}}var v,y=(v=l.default,(0,o.default)(A,v),(0,i.default)(A,[{key:"name",get:function(){return"flash"}},{key:"swfPath",get:function(){return(0,c.default)(g.default)({baseUrl:this._baseUrl})}},{key:"ended",get:function(){return"ENDED"===this._currentState}},{key:"buffering",get:function(){return!!this._bufferingState&&"ENDED"!==this._currentState}}]),A.prototype._bootstrap=function(){var t=this;this.el.playerPlay?(this.el.width="100%",this.el.height="100%","PLAYING"===this._currentState?this._firstPlay():(this._currentState="IDLE",this._autoPlay&&this.play()),(0,f.default)('<div style="position: absolute; top: 0; left: 0; width: 100%; height: 100%" />').insertAfter(this.$el),0<this.getDuration()?this._metadataLoaded():d.default.once(this.uniqueId+":timeupdate",this._metadataLoaded,this)):(this._attempts=this._attempts||0,++this._attempts<=60?setTimeout(function(){return t._bootstrap()},50):this.trigger(h.default.PLAYBACK_ERROR,{message:"Max number of attempts reached"},this.name))},A.prototype._metadataLoaded=function(){this._isReadyState=!0,this.trigger(h.default.PLAYBACK_READY,this.name),this.trigger(h.default.PLAYBACK_SETTINGSUPDATE,this.name)},A.prototype.getPlaybackType=function(){return p.default.VOD},A.prototype.isHighDefinitionInUse=function(){return!1},A.prototype._updateTime=function(){this.trigger(h.default.PLAYBACK_TIMEUPDATE,{current:this.el.getPosition(),total:this.el.getDuration()},this.name)},A.prototype._addListeners=function(){d.default.on(this.uniqueId+":progress",this._progress,this),d.default.on(this.uniqueId+":timeupdate",this._updateTime,this),d.default.on(this.uniqueId+":statechanged",this._checkState,this),d.default.on(this.uniqueId+":flashready",this._bootstrap,this)},A.prototype.stopListening=function(){v.prototype.stopListening.call(this),d.default.off(this.uniqueId+":progress"),d.default.off(this.uniqueId+":timeupdate"),d.default.off(this.uniqueId+":statechanged"),d.default.off(this.uniqueId+":flashready")},A.prototype._checkState=function(){this._isIdle||"PAUSED"===this._currentState||("PLAYING_BUFFERING"!==this._currentState&&"PLAYING_BUFFERING"===this.el.getState()?(this._bufferingState=!0,this.trigger(h.default.PLAYBACK_BUFFERING,this.name),this._currentState="PLAYING_BUFFERING"):"PLAYING"===this.el.getState()?(this._bufferingState=!1,this.trigger(h.default.PLAYBACK_BUFFERFULL,this.name),this._currentState="PLAYING"):"IDLE"===this.el.getState()?this._currentState="IDLE":"ENDED"===this.el.getState()&&(this.trigger(h.default.PLAYBACK_ENDED,this.name),this.trigger(h.default.PLAYBACK_TIMEUPDATE,{current:0,total:this.el.getDuration()},this.name),this._currentState="ENDED",this._isIdle=!0))},A.prototype._progress=function(){"IDLE"!==this._currentState&&"ENDED"!==this._currentState&&this.trigger(h.default.PLAYBACK_PROGRESS,{start:0,current:this.el.getBytesLoaded(),total:this.el.getBytesTotal()})},A.prototype._firstPlay=function(){var t=this;this.el.playerPlay?(this._isIdle=!1,this.el.playerPlay(this._src),this.listenToOnce(this,h.default.PLAYBACK_BUFFERFULL,function(){return t._checkInitialSeek()}),this._currentState="PLAYING"):this.listenToOnce(this,h.default.PLAYBACK_READY,this._firstPlay)},A.prototype._checkInitialSeek=function(){var t=(0,s.seekStringToSeconds)(window.location.href);0!==t&&this.seekSeconds(t)},A.prototype.play=function(){this.trigger(h.default.PLAYBACK_PLAY_INTENT),"PAUSED"===this._currentState||"PLAYING_BUFFERING"===this._currentState?(this._currentState="PLAYING",this.el.playerResume(),this.trigger(h.default.PLAYBACK_PLAY,this.name)):"PLAYING"!==this._currentState&&(this._firstPlay(),this.trigger(h.default.PLAYBACK_PLAY,this.name))},A.prototype.volume=function(t){var e=this;this.isReady?this.el.playerVolume(t):this.listenToOnce(this,h.default.PLAYBACK_BUFFERFULL,function(){return e.volume(t)})},A.prototype.pause=function(){this._currentState="PAUSED",this.el.playerPause(),this.trigger(h.default.PLAYBACK_PAUSE,this.name)},A.prototype.stop=function(){this.el.playerStop(),this.trigger(h.default.PLAYBACK_STOP),this.trigger(h.default.PLAYBACK_TIMEUPDATE,{current:0,total:0},this.name)},A.prototype.isPlaying=function(){return!!(this.isReady&&-1<this._currentState.indexOf("PLAYING"))},A.prototype.getDuration=function(){return this.el.getDuration()},A.prototype.seekPercentage=function(t){var e=this;if(0<this.el.getDuration()){var r=this.el.getDuration()*(t/100);this.seek(r)}else this.listenToOnce(this,h.default.PLAYBACK_BUFFERFULL,function(){return e.seekPercentage(t)})},A.prototype.seek=function(t){var e=this;this.isReady&&this.el.playerSeek?(this.el.playerSeek(t),this.trigger(h.default.PLAYBACK_TIMEUPDATE,{current:t,total:this.el.getDuration()},this.name),"PAUSED"===this._currentState&&this.el.playerPause()):this.listenToOnce(this,h.default.PLAYBACK_BUFFERFULL,function(){return e.seek(t)})},A.prototype.destroy=function(){clearInterval(this.bootstrapId),v.prototype.stopListening.call(this),this.$el.remove()},(0,i.default)(A,[{key:"isReady",get:function(){return this._isReadyState}}]),A);function A(){(0,n.default)(this,A);for(var t=arguments.length,e=Array(t),r=0;r<t;r++)e[r]=arguments[r];var i=(0,a.default)(this,v.call.apply(v,[this].concat(e)));return i._src=i.options.src,i._baseUrl=i.options.baseUrl,i._autoPlay=i.options.autoPlay,i.settings={default:["seekbar"]},i.settings.left=["playpause","position","duration"],i.settings.right=["fullscreen","volume"],i.settings.seekEnabled=!0,i._isReadyState=!1,i._addListeners(),i}(e.default=y).canPlay=function(t){if(u.default.hasFlash&&t&&t.constructor===String){var e=t.split("?")[0].match(/.*\.(.*)$/)||[];return 1<e.length&&!u.default.isMobile&&e[1].toLowerCase().match(/^(mp4|mov|f4v|3gpp|3gp)$/)}return!1},t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=c(r(0)),n=c(r(3)),a=c(r(1)),o=c(r(2)),s=c(r(11)),l=c(r(7)),u=c(r(14)),d=c(r(190));function c(t){return t&&t.__esModule?t:{default:t}}r(191);var f,h=(f=s.default,(0,o.default)(p,f),p.prototype.setElement=function(t){this.$el=t,this.el=t[0]},p.prototype.render=function(){return this.$el.attr("data",this.swfPath),this.$el.html(this.template({cid:this.cid,swfPath:this.swfPath,baseUrl:this.baseUrl,playbackId:this.uniqueId,wmode:this.wmode,callbackName:"window.Clappr.flashlsCallbacks."+this.cid})),u.default.isIE&&(this.$("embed").remove(),u.default.isLegacyIE&&this.$el.attr("classid","clsid:d27cdb6e-ae6d-11cf-96b8-444553540000")),this.el.id=this.cid,this},(0,n.default)(p,[{key:"tagName",get:function(){return"object"}},{key:"swfPath",get:function(){return""}},{key:"wmode",get:function(){return"transparent"}},{key:"template",get:function(){return(0,l.default)(d.default)}},{key:"attributes",get:function(){var t="application/x-shockwave-flash";return u.default.isLegacyIE&&(t=""),{class:"clappr-flash-playback",type:t,width:"100%",height:"100%",data:this.swfPath,"data-flash-playback":this.name}}}]),p);function p(){return(0,i.default)(this,p),(0,a.default)(this,f.apply(this,arguments))}e.default=h,t.exports=e.default},function(t,e){t.exports='<param name="movie" value="<%= swfPath %>">\n<param name="quality" value="autohigh">\n<param name="swliveconnect" value="true">\n<param name="allowScriptAccess" value="always">\n<param name="bgcolor" value="#000000">\n<param name="allowFullScreen" value="false">\n<param name="wmode" value="<%= wmode %>">\n<param name="tabindex" value="1">\n<param name="FlashVars" value="playbackId=<%= playbackId %>&callback=<%= callbackName %>">\n<embed\n name="<%= cid %>"\n type="application/x-shockwave-flash"\n disabled="disabled"\n tabindex="-1"\n enablecontextmenu="false"\n allowScriptAccess="always"\n quality="autohigh"\n pluginspage="http://www.macromedia.com/go/getflashplayer"\n wmode="<%= wmode %>"\n swliveconnect="true"\n allowfullscreen="false"\n bgcolor="#000000"\n FlashVars="playbackId=<%= playbackId %>&callback=<%= callbackName %>"\n data="<%= swfPath %>"\n src="<%= swfPath %>"\n width="100%"\n height="100%">\n</embed>\n'},function(t,e,r){var i=r(192);"string"==typeof i&&(i=[[t.i,i,""]]);var n={singleton:!0,hmr:!0,transform:void 0,insertInto:void 0};r(10)(i,n);i.locals&&(t.exports=i.locals)},function(t,e,r){(t.exports=r(8)(!1)).push([t.i,".clappr-flash-playback[data-flash-playback]{display:block;position:absolute;top:0;left:0;height:100%;width:100%;pointer-events:none}",""])},function(t,e){t.exports="<%=baseUrl%>/4b76590b32dab62bc95c1b7951efae78.swf"},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=d(r(0)),n=d(r(3)),a=d(r(1)),o=d(r(2)),s=d(r(4)),l=d(r(11)),u=d(r(41));function d(t){return t&&t.__esModule?t:{default:t}}var c,f=(c=u.default,(0,o.default)(h,c),h.prototype.updateSettings=function(){this.settings.left=["playpause","position","duration"],this.settings.seekEnabled=this.isSeekEnabled(),this.trigger(s.default.PLAYBACK_SETTINGSUPDATE)},h.prototype.getPlaybackType=function(){return l.default.AOD},(0,n.default)(h,[{key:"name",get:function(){return"html5_audio"}},{key:"tagName",get:function(){return"audio"}},{key:"isAudioOnly",get:function(){return!0}}]),h);function h(){return(0,i.default)(this,h),(0,a.default)(this,c.apply(this,arguments))}(e.default=f).canPlay=function(t,e){return u.default._canPlay("audio",{wav:["audio/wav"],mp3:["audio/mp3",'audio/mpeg;codecs="mp3"'],aac:['audio/mp4;codecs="mp4a.40.5"'],oga:["audio/ogg"]},t,e)},t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var n=v(r(0)),a=v(r(1)),i=v(r(3)),o=v(r(2)),s=v(r(64)),l=v(r(4)),u=v(r(7)),d=v(r(11)),c=v(r(31)),f=v(r(14)),h=v(r(25)),p=v(r(196)),g=v(r(197)),m=v(r(6));function v(t){return t&&t.__esModule?t:{default:t}}var y,A=(y=s.default,(0,o.default)(_,y),(0,i.default)(_,[{key:"name",get:function(){return"flashls"}},{key:"swfPath",get:function(){return(0,u.default)(g.default)({baseUrl:this._baseUrl})}},{key:"levels",get:function(){return this._levels||[]}},{key:"currentLevel",get:function(){return null===this._currentLevel||void 0===this._currentLevel?-1:this._currentLevel},set:function(t){this._currentLevel=t,this.trigger(l.default.PLAYBACK_LEVEL_SWITCH_START),this.el.playerSetCurrentLevel(t)}},{key:"ended",get:function(){return this._hasEnded}},{key:"buffering",get:function(){return!!this._bufferingState&&!this._hasEnded}}]),_.prototype._initHlsParameters=function(t){this._autoStartLoad=void 0===t.autoStartLoad||t.autoStartLoad,this._capLevelToStage=void 0!==t.capLevelToStage&&t.capLevelToStage,this._maxLevelCappingMode=void 0===t.maxLevelCappingMode?"downscale":t.maxLevelCappingMode,this._minBufferLength=void 0===t.minBufferLength?-1:t.minBufferLength,this._minBufferLengthCapping=void 0===t.minBufferLengthCapping?-1:t.minBufferLengthCapping,this._maxBufferLength=void 0===t.maxBufferLength?120:t.maxBufferLength,this._maxBackBufferLength=void 0===t.maxBackBufferLength?30:t.maxBackBufferLength,this._lowBufferLength=void 0===t.lowBufferLength?3:t.lowBufferLength,this._mediaTimePeriod=void 0===t.mediaTimePeriod?100:t.mediaTimePeriod,this._fpsDroppedMonitoringPeriod=void 0===t.fpsDroppedMonitoringPeriod?5e3:t.fpsDroppedMonitoringPeriod,this._fpsDroppedMonitoringThreshold=void 0===t.fpsDroppedMonitoringThreshold?.2:t.fpsDroppedMonitoringThreshold,this._capLevelonFPSDrop=void 0!==t.capLevelonFPSDrop&&t.capLevelonFPSDrop,this._smoothAutoSwitchonFPSDrop=void 0===t.smoothAutoSwitchonFPSDrop?this.capLevelonFPSDrop:t.smoothAutoSwitchonFPSDrop,this._switchDownOnLevelError=void 0===t.switchDownOnLevelError||t.switchDownOnLevelError,this._seekMode=void 0===t.seekMode?"ACCURATE":t.seekMode,this._keyLoadMaxRetry=void 0===t.keyLoadMaxRetry?3:t.keyLoadMaxRetry,this._keyLoadMaxRetryTimeout=void 0===t.keyLoadMaxRetryTimeout?64e3:t.keyLoadMaxRetryTimeout,this._fragmentLoadMaxRetry=void 0===t.fragmentLoadMaxRetry?3:t.fragmentLoadMaxRetry,this._fragmentLoadMaxRetryTimeout=void 0===t.fragmentLoadMaxRetryTimeout?4e3:t.fragmentLoadMaxRetryTimeout,this._fragmentLoadSkipAfterMaxRetry=void 0===t.fragmentLoadSkipAfterMaxRetry||t.fragmentLoadSkipAfterMaxRetry,this._maxSkippedFragments=void 0===t.maxSkippedFragments?5:t.maxSkippedFragments,this._flushLiveURLCache=void 0!==t.flushLiveURLCache&&t.flushLiveURLCache,this._initialLiveManifestSize=void 0===t.initialLiveManifestSize?1:t.initialLiveManifestSize,this._manifestLoadMaxRetry=void 0===t.manifestLoadMaxRetry?3:t.manifestLoadMaxRetry,this._manifestLoadMaxRetryTimeout=void 0===t.manifestLoadMaxRetryTimeout?64e3:t.manifestLoadMaxRetryTimeout,this._manifestRedundantLoadmaxRetry=void 0===t.manifestRedundantLoadmaxRetry?3:t.manifestRedundantLoadmaxRetry,this._startFromBitrate=void 0===t.startFromBitrate?-1:t.startFromBitrate,this._startFromLevel=void 0===t.startFromLevel?-1:t.startFromLevel,this._autoStartMaxDuration=void 0===t.autoStartMaxDuration?-1:t.autoStartMaxDuration,this._seekFromLevel=void 0===t.seekFromLevel?-1:t.seekFromLevel,this._useHardwareVideoDecoder=void 0!==t.useHardwareVideoDecoder&&t.useHardwareVideoDecoder,this._hlsLogEnabled=void 0===t.hlsLogEnabled||t.hlsLogEnabled,this._logDebug=void 0!==t.logDebug&&t.logDebug,this._logDebug2=void 0!==t.logDebug2&&t.logDebug2,this._logWarn=void 0===t.logWarn||t.logWarn,this._logError=void 0===t.logError||t.logError,this._hlsMinimumDvrSize=void 0===t.hlsMinimumDvrSize?60:t.hlsMinimumDvrSize},_.prototype._addListeners=function(){var i=this;c.default.on(this.cid+":flashready",function(){return i._bootstrap()}),c.default.on(this.cid+":timeupdate",function(t){return i._updateTime(t)}),c.default.on(this.cid+":playbackstate",function(t){return i._setPlaybackState(t)}),c.default.on(this.cid+":levelchanged",function(t){return i._levelChanged(t)}),c.default.on(this.cid+":error",function(t,e,r){return i._flashPlaybackError(t,e,r)}),c.default.on(this.cid+":fragmentloaded",function(t){return i._onFragmentLoaded(t)}),c.default.on(this.cid+":levelendlist",function(t){return i._onLevelEndlist(t)})},_.prototype.stopListening=function(){y.prototype.stopListening.call(this),c.default.off(this.cid+":flashready"),c.default.off(this.cid+":timeupdate"),c.default.off(this.cid+":playbackstate"),c.default.off(this.cid+":levelchanged"),c.default.off(this.cid+":playbackerror"),c.default.off(this.cid+":fragmentloaded"),c.default.off(this.cid+":manifestloaded"),c.default.off(this.cid+":levelendlist")},_.prototype._bootstrap=function(){var t=this;if(this.el.playerLoad)this.el.width="100%",this.el.height="100%",this._isReadyState=!0,this._srcLoaded=!1,this._currentState="IDLE",this._setFlashSettings(),this._updatePlaybackType(),(this._autoPlay||this._shouldPlayOnManifestLoaded)&&this.play(),this.trigger(l.default.PLAYBACK_READY,this.name);else if(this._bootstrapAttempts=this._bootstrapAttempts||0,++this._bootstrapAttempts<=60)setTimeout(function(){return t._bootstrap()},50);else{var e=this.createError({code:"playerLoadFail_maxNumberAttemptsReached",description:this.name+" error: Max number of attempts reached",level:h.default.Levels.FATAL,raw:{}});this.trigger(l.default.PLAYBACK_ERROR,e)}},_.prototype._setFlashSettings=function(){this.el.playerSetAutoStartLoad(this._autoStartLoad),this.el.playerSetCapLevelToStage(this._capLevelToStage),this.el.playerSetMaxLevelCappingMode(this._maxLevelCappingMode),this.el.playerSetMinBufferLength(this._minBufferLength),this.el.playerSetMinBufferLengthCapping(this._minBufferLengthCapping),this.el.playerSetMaxBufferLength(this._maxBufferLength),this.el.playerSetMaxBackBufferLength(this._maxBackBufferLength),this.el.playerSetLowBufferLength(this._lowBufferLength),this.el.playerSetMediaTimePeriod(this._mediaTimePeriod),this.el.playerSetFpsDroppedMonitoringPeriod(this._fpsDroppedMonitoringPeriod),this.el.playerSetFpsDroppedMonitoringThreshold(this._fpsDroppedMonitoringThreshold),this.el.playerSetCapLevelonFPSDrop(this._capLevelonFPSDrop),this.el.playerSetSmoothAutoSwitchonFPSDrop(this._smoothAutoSwitchonFPSDrop),this.el.playerSetSwitchDownOnLevelError(this._switchDownOnLevelError),this.el.playerSetSeekMode(this._seekMode),this.el.playerSetKeyLoadMaxRetry(this._keyLoadMaxRetry),this.el.playerSetKeyLoadMaxRetryTimeout(this._keyLoadMaxRetryTimeout),this.el.playerSetFragmentLoadMaxRetry(this._fragmentLoadMaxRetry),this.el.playerSetFragmentLoadMaxRetryTimeout(this._fragmentLoadMaxRetryTimeout),this.el.playerSetFragmentLoadSkipAfterMaxRetry(this._fragmentLoadSkipAfterMaxRetry),this.el.playerSetMaxSkippedFragments(this._maxSkippedFragments),this.el.playerSetFlushLiveURLCache(this._flushLiveURLCache),this.el.playerSetInitialLiveManifestSize(this._initialLiveManifestSize),this.el.playerSetManifestLoadMaxRetry(this._manifestLoadMaxRetry),this.el.playerSetManifestLoadMaxRetryTimeout(this._manifestLoadMaxRetryTimeout),this.el.playerSetManifestRedundantLoadmaxRetry(this._manifestRedundantLoadmaxRetry),this.el.playerSetStartFromBitrate(this._startFromBitrate),this.el.playerSetStartFromLevel(this._startFromLevel),this.el.playerSetAutoStartMaxDuration(this._autoStartMaxDuration),this.el.playerSetSeekFromLevel(this._seekFromLevel),this.el.playerSetUseHardwareVideoDecoder(this._useHardwareVideoDecoder),this.el.playerSetLogInfo(this._hlsLogEnabled),this.el.playerSetLogDebug(this._logDebug),this.el.playerSetLogDebug2(this._logDebug2),this.el.playerSetLogWarn(this._logWarn),this.el.playerSetLogError(this._logError)},_.prototype.setAutoStartLoad=function(t){this._autoStartLoad=t,this.el.playerSetAutoStartLoad(this._autoStartLoad)},_.prototype.setCapLevelToStage=function(t){this._capLevelToStage=t,this.el.playerSetCapLevelToStage(this._capLevelToStage)},_.prototype.setMaxLevelCappingMode=function(t){this._maxLevelCappingMode=t,this.el.playerSetMaxLevelCappingMode(this._maxLevelCappingMode)},_.prototype.setSetMinBufferLength=function(t){this._minBufferLength=t,this.el.playerSetMinBufferLength(this._minBufferLength)},_.prototype.setMinBufferLengthCapping=function(t){this._minBufferLengthCapping=t,this.el.playerSetMinBufferLengthCapping(this._minBufferLengthCapping)},_.prototype.setMaxBufferLength=function(t){this._maxBufferLength=t,this.el.playerSetMaxBufferLength(this._maxBufferLength)},_.prototype.setMaxBackBufferLength=function(t){this._maxBackBufferLength=t,this.el.playerSetMaxBackBufferLength(this._maxBackBufferLength)},_.prototype.setLowBufferLength=function(t){this._lowBufferLength=t,this.el.playerSetLowBufferLength(this._lowBufferLength)},_.prototype.setMediaTimePeriod=function(t){this._mediaTimePeriod=t,this.el.playerSetMediaTimePeriod(this._mediaTimePeriod)},_.prototype.setFpsDroppedMonitoringPeriod=function(t){this._fpsDroppedMonitoringPeriod=t,this.el.playerSetFpsDroppedMonitoringPeriod(this._fpsDroppedMonitoringPeriod)},_.prototype.setFpsDroppedMonitoringThreshold=function(t){this._fpsDroppedMonitoringThreshold=t,this.el.playerSetFpsDroppedMonitoringThreshold(this._fpsDroppedMonitoringThreshold)},_.prototype.setCapLevelonFPSDrop=function(t){this._capLevelonFPSDrop=t,this.el.playerSetCapLevelonFPSDrop(this._capLevelonFPSDrop)},_.prototype.setSmoothAutoSwitchonFPSDrop=function(t){this._smoothAutoSwitchonFPSDrop=t,this.el.playerSetSmoothAutoSwitchonFPSDrop(this._smoothAutoSwitchonFPSDrop)},_.prototype.setSwitchDownOnLevelError=function(t){this._switchDownOnLevelError=t,this.el.playerSetSwitchDownOnLevelError(this._switchDownOnLevelError)},_.prototype.setSeekMode=function(t){this._seekMode=t,this.el.playerSetSeekMode(this._seekMode)},_.prototype.setKeyLoadMaxRetry=function(t){this._keyLoadMaxRetry=t,this.el.playerSetKeyLoadMaxRetry(this._keyLoadMaxRetry)},_.prototype.setKeyLoadMaxRetryTimeout=function(t){this._keyLoadMaxRetryTimeout=t,this.el.playerSetKeyLoadMaxRetryTimeout(this._keyLoadMaxRetryTimeout)},_.prototype.setFragmentLoadMaxRetry=function(t){this._fragmentLoadMaxRetry=t,this.el.playerSetFragmentLoadMaxRetry(this._fragmentLoadMaxRetry)},_.prototype.setFragmentLoadMaxRetryTimeout=function(t){this._fragmentLoadMaxRetryTimeout=t,this.el.playerSetFragmentLoadMaxRetryTimeout(this._fragmentLoadMaxRetryTimeout)},_.prototype.setFragmentLoadSkipAfterMaxRetry=function(t){this._fragmentLoadSkipAfterMaxRetry=t,this.el.playerSetFragmentLoadSkipAfterMaxRetry(this._fragmentLoadSkipAfterMaxRetry)},_.prototype.setMaxSkippedFragments=function(t){this._maxSkippedFragments=t,this.el.playerSetMaxSkippedFragments(this._maxSkippedFragments)},_.prototype.setFlushLiveURLCache=function(t){this._flushLiveURLCache=t,this.el.playerSetFlushLiveURLCache(this._flushLiveURLCache)},_.prototype.setInitialLiveManifestSize=function(t){this._initialLiveManifestSize=t,this.el.playerSetInitialLiveManifestSize(this._initialLiveManifestSize)},_.prototype.setManifestLoadMaxRetry=function(t){this._manifestLoadMaxRetry=t,this.el.playerSetManifestLoadMaxRetry(this._manifestLoadMaxRetry)},_.prototype.setManifestLoadMaxRetryTimeout=function(t){this._manifestLoadMaxRetryTimeout=t,this.el.playerSetManifestLoadMaxRetryTimeout(this._manifestLoadMaxRetryTimeout)},_.prototype.setManifestRedundantLoadmaxRetry=function(t){this._manifestRedundantLoadmaxRetry=t,this.el.playerSetManifestRedundantLoadmaxRetry(this._manifestRedundantLoadmaxRetry)},_.prototype.setStartFromBitrate=function(t){this._startFromBitrate=t,this.el.playerSetStartFromBitrate(this._startFromBitrate)},_.prototype.setStartFromLevel=function(t){this._startFromLevel=t,this.el.playerSetStartFromLevel(this._startFromLevel)},_.prototype.setAutoStartMaxDuration=function(t){this._autoStartMaxDuration=t,this.el.playerSetAutoStartMaxDuration(this._autoStartMaxDuration)},_.prototype.setSeekFromLevel=function(t){this._seekFromLevel=t,this.el.playerSetSeekFromLevel(this._seekFromLevel)},_.prototype.setUseHardwareVideoDecoder=function(t){this._useHardwareVideoDecoder=t,this.el.playerSetUseHardwareVideoDecoder(this._useHardwareVideoDecoder)},_.prototype.setSetLogInfo=function(t){this._hlsLogEnabled=t,this.el.playerSetLogInfo(this._hlsLogEnabled)},_.prototype.setLogDebug=function(t){this._logDebug=t,this.el.playerSetLogDebug(this._logDebug)},_.prototype.setLogDebug2=function(t){this._logDebug2=t,this.el.playerSetLogDebug2(this._logDebug2)},_.prototype.setLogWarn=function(t){this._logWarn=t,this.el.playerSetLogWarn(this._logWarn)},_.prototype.setLogError=function(t){this._logError=t,this.el.playerSetLogError(this._logError)},_.prototype._levelChanged=function(t){var e=this.el.getLevels()[t];e&&(this.highDefinition=720<=e.height||2e3<=e.bitrate/1e3,this.trigger(l.default.PLAYBACK_HIGHDEFINITIONUPDATE,this.highDefinition),this._levels&&0!==this._levels.length||this._fillLevels(),this.trigger(l.default.PLAYBACK_BITRATE,{height:e.height,width:e.width,bandwidth:e.bitrate,bitrate:e.bitrate,level:t}),this.trigger(l.default.PLAYBACK_LEVEL_SWITCH_END))},_.prototype._updateTime=function(t){if("IDLE"!==this._currentState){var e=this._normalizeDuration(t.duration),r=Math.min(Math.max(t.position,0),e),i=this._dvrEnabled,n=this._playbackType===d.default.LIVE;this._dvrEnabled=n&&e>this._hlsMinimumDvrSize,100!==e&&(this._dvrEnabled!==i&&(this._updateSettings(),this.trigger(l.default.PLAYBACK_SETTINGSUPDATE,this.name)),n&&!this._dvrEnabled&&(r=e),this.trigger(l.default.PLAYBACK_TIMEUPDATE,{current:r,total:e},this.name))}},_.prototype.play=function(){this.trigger(l.default.PLAYBACK_PLAY_INTENT),"PAUSED"===this._currentState?this.el.playerResume():this._srcLoaded||"PLAYING"===this._currentState?this.el.playerPlay():this._firstPlay()},_.prototype.getPlaybackType=function(){return this._playbackType?this._playbackType:null},_.prototype.getCurrentTime=function(){return this.el.getPosition()},_.prototype.getCurrentLevelIndex=function(){return this._currentLevel},_.prototype.getCurrentLevel=function(){return this.levels[this.currentLevel]},_.prototype.getCurrentBitrate=function(){return this.levels[this.currentLevel].bitrate},_.prototype.setCurrentLevel=function(t){this.currentLevel=t},_.prototype.isHighDefinitionInUse=function(){return this.highDefinition},_.prototype.getLevels=function(){return this.levels},_.prototype._setPlaybackState=function(t){0<=["PLAYING_BUFFERING","PAUSED_BUFFERING"].indexOf(t)?(this._bufferingState=!0,this.trigger(l.default.PLAYBACK_BUFFERING,this.name),this._updateCurrentState(t)):0<=["PLAYING","PAUSED"].indexOf(t)?(0<=["PLAYING_BUFFERING","PAUSED_BUFFERING","IDLE"].indexOf(this._currentState)&&(this._bufferingState=!1,this.trigger(l.default.PLAYBACK_BUFFERFULL,this.name)),this._updateCurrentState(t)):"IDLE"===t&&(this._srcLoaded=!1,this._loop&&0<=["PLAYING_BUFFERING","PLAYING"].indexOf(this._currentState)?(this.play(),this.seek(0)):(this._updateCurrentState(t),this._hasEnded=!0,this.trigger(l.default.PLAYBACK_TIMEUPDATE,{current:0,total:this.getDuration()},this.name),this.trigger(l.default.PLAYBACK_ENDED,this.name)))},_.prototype._updateCurrentState=function(t){"IDLE"!==(this._currentState=t)&&(this._hasEnded=!1),this._updatePlaybackType(),"PLAYING"===t?this.trigger(l.default.PLAYBACK_PLAY,this.name):"PAUSED"===t&&this.trigger(l.default.PLAYBACK_PAUSE,this.name)},_.prototype._updatePlaybackType=function(){this._playbackType=this.el.getType(),this._playbackType&&(this._playbackType=this._playbackType.toLowerCase(),this._playbackType===d.default.VOD?this._startReportingProgress():this._stopReportingProgress()),this.trigger(l.default.PLAYBACK_PLAYBACKSTATE,{type:this._playbackType})},_.prototype._startReportingProgress=function(){this._reportingProgress||(this._reportingProgress=!0)},_.prototype._stopReportingProgress=function(){this._reportingProgress=!1},_.prototype._onFragmentLoaded=function(t){if(this.trigger(l.default.PLAYBACK_FRAGMENT_LOADED,t),this._reportingProgress&&this.getCurrentTime()){var e=this.getCurrentTime()+this.el.getbufferLength();this.trigger(l.default.PLAYBACK_PROGRESS,{start:this.getCurrentTime(),current:e,total:this.el.getDuration()})}},_.prototype._onLevelEndlist=function(){this._updatePlaybackType()},_.prototype._firstPlay=function(){var r=this;this._shouldPlayOnManifestLoaded=!0,this.el.playerLoad&&(c.default.once(this.cid+":manifestloaded",function(t,e){return r._manifestLoaded(t,e)}),this._setFlashSettings(),this.el.playerLoad(this._src),this._srcLoaded=!0)},_.prototype.volume=function(t){var e=this;this.isReady?this.el.playerVolume(t):this.listenToOnce(this,l.default.PLAYBACK_BUFFERFULL,function(){return e.volume(t)})},_.prototype.pause=function(){this._playbackType===d.default.LIVE&&!this._dvrEnabled||(this.el.playerPause(),this._playbackType===d.default.LIVE&&this._dvrEnabled&&this._updateDvr(!0))},_.prototype.stop=function(){this._srcLoaded=!1,this.el.playerStop(),this.trigger(l.default.PLAYBACK_STOP),this.trigger(l.default.PLAYBACK_TIMEUPDATE,{current:0,total:0},this.name)},_.prototype.isPlaying=function(){return!!this._currentState&&!!this._currentState.match(/playing/i)},_.prototype.getDuration=function(){return this._normalizeDuration(this.el.getDuration())},_.prototype._normalizeDuration=function(t){return this._playbackType===d.default.LIVE&&(t=Math.max(0,t-10)),t},_.prototype.seekPercentage=function(t){var e=this.el.getDuration(),r=0;0<t&&(r=e*t/100),this.seek(r)},_.prototype.seek=function(t){var e=this.getDuration();if(this._playbackType===d.default.LIVE){var r=3<e-t;this._updateDvr(r)}this.el.playerSeek(t),this.trigger(l.default.PLAYBACK_TIMEUPDATE,{current:t,total:e},this.name)},_.prototype._updateDvr=function(t){var e=!!this._dvrInUse;this._dvrInUse=t,this._dvrInUse!==e&&(this._updateSettings(),this.trigger(l.default.PLAYBACK_DVR,this._dvrInUse),this.trigger(l.default.PLAYBACK_STATS_ADD,{dvr:this._dvrInUse}))},_.prototype._flashPlaybackError=function(t,e,r){var i={code:t,description:r,level:h.default.Levels.FATAL,raw:{code:t,url:e,message:r}},n=this.createError(i);this.trigger(l.default.PLAYBACK_ERROR,n),this.trigger(l.default.PLAYBACK_STOP)},_.prototype._manifestLoaded=function(t,e){this._shouldPlayOnManifestLoaded&&(this._shouldPlayOnManifestLoaded=!1,this.el.playerPlay()),this._fillLevels(),this.trigger(l.default.PLAYBACK_LOADEDMETADATA,{duration:t,data:e})},_.prototype._fillLevels=function(){var t=this.el.getLevels(),e=t.length;this._levels=[];for(var r=0;r<e;r++)this._levels.push({id:r,label:t[r].height+"p",level:t[r]});this.trigger(l.default.PLAYBACK_LEVELS_AVAILABLE,this._levels)},_.prototype.destroy=function(){this.stopListening(),this.$el.remove()},_.prototype._updateSettings=function(){this.settings=m.default.extend({},this._defaultSettings),this._playbackType===d.default.VOD||this._dvrInUse?(this.settings.left=["playpause","position","duration"],this.settings.seekEnabled=!0):this._dvrEnabled?(this.settings.left=["playpause"],this.settings.seekEnabled=!0):this.settings.seekEnabled=!1},_.prototype._createCallbacks=function(){var r=this;window.Clappr||(window.Clappr={}),window.Clappr.flashlsCallbacks||(window.Clappr.flashlsCallbacks={}),this.flashlsEvents=new p.default(this.cid),window.Clappr.flashlsCallbacks[this.cid]=function(t,e){r.flashlsEvents[t].apply(r.flashlsEvents,e)}},_.prototype.render=function(){return y.prototype.render.call(this),this._createCallbacks(),this},(0,i.default)(_,[{key:"isReady",get:function(){return this._isReadyState}},{key:"dvrEnabled",get:function(){return!!this._dvrEnabled}}]),_);function _(){(0,n.default)(this,_);for(var t=arguments.length,e=Array(t),r=0;r<t;r++)e[r]=arguments[r];var i=(0,a.default)(this,y.call.apply(y,[this].concat(e)));return i._src=i.options.src,i._baseUrl=i.options.baseUrl,i._initHlsParameters(i.options),i.highDefinition=!1,i._autoPlay=i.options.autoPlay,i._loop=i.options.loop,i._defaultSettings={left:["playstop"],default:["seekbar"],right:["fullscreen","volume","hd-indicator"],seekEnabled:!1},i.settings=m.default.extend({},i._defaultSettings),i._playbackType=d.default.LIVE,i._hasEnded=!1,i._addListeners(),i}(e.default=A).canPlay=function(t,e){var r=t.split("?")[0].match(/.*\.(.*)$/)||[];return f.default.hasFlash&&(1<r.length&&"m3u8"===r[1].toLowerCase()||"application/x-mpegURL"===e||"application/vnd.apple.mpegurl"===e)},t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=a(r(0)),n=a(r(31));function a(t){return t&&t.__esModule?t:{default:t}}var o=(s.prototype.ready=function(){n.default.trigger(this.instanceId+":flashready")},s.prototype.videoSize=function(t,e){n.default.trigger(this.instanceId+":videosizechanged",t,e)},s.prototype.complete=function(){n.default.trigger(this.instanceId+":complete")},s.prototype.error=function(t,e,r){n.default.trigger(this.instanceId+":error",t,e,r)},s.prototype.manifest=function(t,e){n.default.trigger(this.instanceId+":manifestloaded",t,e)},s.prototype.audioLevelLoaded=function(t){n.default.trigger(this.instanceId+":audiolevelloaded",t)},s.prototype.levelLoaded=function(t){n.default.trigger(this.instanceId+":levelloaded",t)},s.prototype.levelEndlist=function(t){n.default.trigger(this.instanceId+":levelendlist",t)},s.prototype.fragmentLoaded=function(t){n.default.trigger(this.instanceId+":fragmentloaded",t)},s.prototype.fragmentPlaying=function(t){n.default.trigger(this.instanceId+":fragmentplaying",t)},s.prototype.position=function(t){n.default.trigger(this.instanceId+":timeupdate",t)},s.prototype.state=function(t){n.default.trigger(this.instanceId+":playbackstate",t)},s.prototype.seekState=function(t){n.default.trigger(this.instanceId+":seekstate",t)},s.prototype.switch=function(t){n.default.trigger(this.instanceId+":levelchanged",t)},s.prototype.audioTracksListChange=function(t){n.default.trigger(this.instanceId+":audiotracklistchanged",t)},s.prototype.audioTrackChange=function(t){n.default.trigger(this.instanceId+":audiotrackchanged",t)},s);function s(t){(0,i.default)(this,s),this.instanceId=t}e.default=o,t.exports=e.default},function(t,e){t.exports="<%=baseUrl%>/8fa12a459188502b9f0d39b8a67d9e6c.swf"},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var n=g(r(62)),a=g(r(89)),o=g(r(200)),s=g(r(0)),l=g(r(1)),i=g(r(3)),u=g(r(2)),d=g(r(41)),v=g(r(201)),c=g(r(4)),y=g(r(11)),f=r(5),h=g(r(29)),p=g(r(25));function g(t){return t&&t.__esModule?t:{default:t}}var m,A=(m=d.default,(0,u.default)(_,m),(0,i.default)(_,[{key:"name",get:function(){return"hls"}},{key:"levels",get:function(){return this._levels||[]}},{key:"currentLevel",get:function(){return null===this._currentLevel||void 0===this._currentLevel?-1:this._currentLevel},set:function(t){this._currentLevel=t,this.trigger(c.default.PLAYBACK_LEVEL_SWITCH_START),this.options.playback.hlsUseNextLevel?this._hls.nextLevel=this._currentLevel:this._hls.currentLevel=this._currentLevel}},{key:"isReady",get:function(){return this._isReadyState}},{key:"_startTime",get:function(){return this._playbackType===y.default.LIVE&&"EVENT"!==this._playlistType?this._extrapolatedStartTime:this._playableRegionStartTime}},{key:"_now",get:function(){return(0,f.now)()}},{key:"_extrapolatedStartTime",get:function(){if(!this._localStartTimeCorrelation)return this._playableRegionStartTime;var t=this._localStartTimeCorrelation,e=this._now-t.local,r=(t.remote+e)/1e3;return Math.min(r,this._playableRegionStartTime+this._extrapolatedWindowDuration)}},{key:"_extrapolatedEndTime",get:function(){var t=this._playableRegionStartTime+this._playableRegionDuration;if(!this._localEndTimeCorrelation)return t;var e=this._localEndTimeCorrelation,r=this._now-e.local,i=(e.remote+r)/1e3;return Math.max(t-this._extrapolatedWindowDuration,Math.min(i,t))}},{key:"_duration",get:function(){return this._extrapolatedEndTime-this._startTime}},{key:"_extrapolatedWindowDuration",get:function(){return null===this._segmentTargetDuration?0:this._extrapolatedWindowNumSegments*this._segmentTargetDuration}}],[{key:"HLSJS",get:function(){return v.default}}]),_.prototype._setup=function(){var r=this;this._ccIsSetup=!1,this._ccTracksUpdated=!1,this._hls=new v.default((0,f.assign)({},this.options.playback.hlsjsConfig)),this._hls.on(v.default.Events.MEDIA_ATTACHED,function(){return r._hls.loadSource(r.options.src)}),this._hls.on(v.default.Events.LEVEL_LOADED,function(t,e){return r._updatePlaybackType(t,e)}),this._hls.on(v.default.Events.LEVEL_UPDATED,function(t,e){return r._onLevelUpdated(t,e)}),this._hls.on(v.default.Events.LEVEL_SWITCHING,function(t,e){return r._onLevelSwitch(t,e)}),this._hls.on(v.default.Events.FRAG_LOADED,function(t,e){return r._onFragmentLoaded(t,e)}),this._hls.on(v.default.Events.ERROR,function(t,e){return r._onHLSJSError(t,e)}),this._hls.on(v.default.Events.SUBTITLE_TRACK_LOADED,function(t,e){return r._onSubtitleLoaded(t,e)}),this._hls.on(v.default.Events.SUBTITLE_TRACKS_UPDATED,function(){return r._ccTracksUpdated=!0}),this._hls.attachMedia(this.el)},_.prototype.render=function(){return this._ready(),m.prototype.render.call(this)},_.prototype._ready=function(){this._isReadyState=!0,this.trigger(c.default.PLAYBACK_READY,this.name)},_.prototype._recover=function(t,e,r){if(this._recoveredDecodingError)if(this._recoveredAudioCodecError){h.default.error("hlsjs: failed to recover",{evt:t,data:e}),r.level=p.default.Levels.FATAL;var i=this.createError(r);this.trigger(c.default.PLAYBACK_ERROR,i),this.stop()}else this._recoveredAudioCodecError=!0,this._hls.swapAudioCodec(),this._hls.recoverMediaError();else this._recoveredDecodingError=!0,this._hls.recoverMediaError()},_.prototype._setupSrc=function(t){},_.prototype._startTimeUpdateTimer=function(){var t=this;this._timeUpdateTimer||(this._timeUpdateTimer=setInterval(function(){t._onDurationChange(),t._onTimeUpdate()},100))},_.prototype._stopTimeUpdateTimer=function(){this._timeUpdateTimer&&(clearInterval(this._timeUpdateTimer),this._timeUpdateTimer=null)},_.prototype.getProgramDateTime=function(){return this._programDateTime},_.prototype.getDuration=function(){return this._duration},_.prototype.getCurrentTime=function(){return Math.max(0,this.el.currentTime-this._startTime)},_.prototype.getStartTimeOffset=function(){return this._startTime},_.prototype.seekPercentage=function(t){var e=this._duration;0<t&&(e=this._duration*(t/100)),this.seek(e)},_.prototype.seek=function(t){t<0&&(h.default.warn("Attempt to seek to a negative time. Resetting to live point. Use seekToLivePoint() to seek to the live point."),t=this.getDuration()),this.dvrEnabled&&this._updateDvr(t<this.getDuration()-3),t+=this._startTime,m.prototype.seek.call(this,t)},_.prototype.seekToLivePoint=function(){this.seek(this.getDuration())},_.prototype._updateDvr=function(t){this.trigger(c.default.PLAYBACK_DVR,t),this.trigger(c.default.PLAYBACK_STATS_ADD,{dvr:t})},_.prototype._updateSettings=function(){this._playbackType===y.default.VOD?this.settings.left=["playpause","position","duration"]:this.dvrEnabled?this.settings.left=["playpause"]:this.settings.left=["playstop"],this.settings.seekEnabled=this.isSeekEnabled(),this.trigger(c.default.PLAYBACK_SETTINGSUPDATE)},_.prototype._onHLSJSError=function(t,e){var r={code:e.type+"_"+e.details,description:this.name+" error: type: "+e.type+", details: "+e.details,raw:e},i=void 0;if(e.response&&(r.description+=", response: "+(0,a.default)(e.response)),e.fatal)if(0<this._recoverAttemptsRemaining)switch(this._recoverAttemptsRemaining-=1,e.type){case v.default.ErrorTypes.NETWORK_ERROR:switch(e.details){case v.default.ErrorDetails.MANIFEST_LOAD_ERROR:case v.default.ErrorDetails.MANIFEST_LOAD_TIMEOUT:case v.default.ErrorDetails.MANIFEST_PARSING_ERROR:case v.default.ErrorDetails.LEVEL_LOAD_ERROR:case v.default.ErrorDetails.LEVEL_LOAD_TIMEOUT:h.default.error("hlsjs: unrecoverable network fatal error.",{evt:t,data:e}),i=this.createError(r),this.trigger(c.default.PLAYBACK_ERROR,i),this.stop();break;default:h.default.warn("hlsjs: trying to recover from network error.",{evt:t,data:e}),r.level=p.default.Levels.WARN,this.createError(r),this._hls.startLoad()}break;case v.default.ErrorTypes.MEDIA_ERROR:h.default.warn("hlsjs: trying to recover from media error.",{evt:t,data:e}),r.level=p.default.Levels.WARN,this.createError(r),this._recover(t,e,r);break;default:h.default.error("hlsjs: could not recover from error.",{evt:t,data:e}),i=this.createError(r),this.trigger(c.default.PLAYBACK_ERROR,i),this.stop()}else h.default.error("hlsjs: could not recover from error after maximum number of attempts.",{evt:t,data:e}),i=this.createError(r),this.trigger(c.default.PLAYBACK_ERROR,i),this.stop();else{if(this.options.playback.triggerFatalErrorOnResourceDenied&&this._keyIsDenied(e))return h.default.error("hlsjs: could not load decrypt key.",{evt:t,data:e}),i=this.createError(r),this.trigger(c.default.PLAYBACK_ERROR,i),void this.stop();r.level=p.default.Levels.WARN,this.createError(r),h.default.warn("hlsjs: non-fatal error occurred",{evt:t,data:e})}},_.prototype._keyIsDenied=function(t){return t.type===v.default.ErrorTypes.NETWORK_ERROR&&t.details===v.default.ErrorDetails.KEY_LOAD_ERROR&&t.response&&400<=t.response.code},_.prototype._onTimeUpdate=function(){var t={current:this.getCurrentTime(),total:this.getDuration(),firstFragDateTime:this.getProgramDateTime()};this._lastTimeUpdate&&t.current===this._lastTimeUpdate.current&&t.total===this._lastTimeUpdate.total||(this._lastTimeUpdate=t,this.trigger(c.default.PLAYBACK_TIMEUPDATE,t,this.name))},_.prototype._onDurationChange=function(){var t=this.getDuration();this._lastDuration!==t&&(this._lastDuration=t,m.prototype._onDurationChange.call(this))},_.prototype._onProgress=function(){if(this.el.buffered.length){for(var t=[],e=0,r=0;r<this.el.buffered.length;r++)t=[].concat((0,n.default)(t),[{start:Math.max(0,this.el.buffered.start(r)-this._playableRegionStartTime),end:Math.max(0,this.el.buffered.end(r)-this._playableRegionStartTime)}]),this.el.currentTime>=t[r].start&&this.el.currentTime<=t[r].end&&(e=r);var i={start:t[e].start,current:t[e].end,total:this.getDuration()};this.trigger(c.default.PLAYBACK_PROGRESS,i,t)}},_.prototype.play=function(){this._hls||this._setup(),m.prototype.play.call(this),this._startTimeUpdateTimer()},_.prototype.pause=function(){this._hls&&(m.prototype.pause.call(this),this.dvrEnabled&&this._updateDvr(!0))},_.prototype.stop=function(){this._stopTimeUpdateTimer(),this._hls&&(m.prototype.stop.call(this),this._hls.destroy(),delete this._hls)},_.prototype.destroy=function(){this._stopTimeUpdateTimer(),this._hls&&(this._hls.destroy(),delete this._hls),m.prototype.destroy.call(this)},_.prototype._updatePlaybackType=function(t,e){this._playbackType=e.details.live?y.default.LIVE:y.default.VOD,this._onLevelUpdated(t,e),this._ccTracksUpdated&&this._playbackType===y.default.LIVE&&this.hasClosedCaptionsTracks&&this._onSubtitleLoaded()},_.prototype._fillLevels=function(){this._levels=this._hls.levels.map(function(t,e){return{id:e,level:t,label:t.bitrate/1e3+"Kbps"}}),this.trigger(c.default.PLAYBACK_LEVELS_AVAILABLE,this._levels)},_.prototype._onLevelUpdated=function(t,e){this._segmentTargetDuration=e.details.targetduration,this._playlistType=e.details.type||null;var r=!1,i=!1,n=e.details.fragments,a=this._playableRegionStartTime,o=this._playableRegionDuration;if(0!==n.length){if(n[0].rawProgramDateTime&&(this._programDateTime=n[0].rawProgramDateTime),this._playableRegionStartTime!==n[0].start&&(r=!0,this._playableRegionStartTime=n[0].start),r)if(this._localStartTimeCorrelation){var s=this._localStartTimeCorrelation,l=this._now-s.local,u=(s.remote+l)/1e3;u<n[0].start?this._localStartTimeCorrelation={local:this._now,remote:1e3*n[0].start}:u>a+this._extrapolatedWindowDuration&&(this._localStartTimeCorrelation={local:this._now,remote:1e3*Math.max(n[0].start,a+this._extrapolatedWindowDuration)})}else this._localStartTimeCorrelation={local:this._now,remote:1e3*(n[0].start+this._extrapolatedWindowDuration/2)};var d=e.details.totalduration;if(this._playbackType===y.default.LIVE){var c=e.details.targetduration*((this.options.playback.hlsjsConfig||{}).liveSyncDurationCount||v.default.DefaultConfig.liveSyncDurationCount);c<=d?(d-=c,this._durationExcludesAfterLiveSyncPoint=!0):this._durationExcludesAfterLiveSyncPoint=!1}d!==this._playableRegionDuration&&(i=!0,this._playableRegionDuration=d);var f=n[0].start+d,h=a+o;if(f!==h)if(this._localEndTimeCorrelation){var p=this._localEndTimeCorrelation,g=this._now-p.local,m=(p.remote+g)/1e3;f<m?this._localEndTimeCorrelation={local:this._now,remote:1e3*f}:m<f-this._extrapolatedWindowDuration?this._localEndTimeCorrelation={local:this._now,remote:1e3*(f-this._extrapolatedWindowDuration)}:h<m&&(this._localEndTimeCorrelation={local:this._now,remote:1e3*h})}else this._localEndTimeCorrelation={local:this._now,remote:1e3*f};i&&this._onDurationChange(),r&&this._onProgress()}},_.prototype._onFragmentLoaded=function(t,e){this.trigger(c.default.PLAYBACK_FRAGMENT_LOADED,e)},_.prototype._onSubtitleLoaded=function(){if(!this._ccIsSetup){this.trigger(c.default.PLAYBACK_SUBTITLE_AVAILABLE);var t=this._playbackType===y.default.LIVE?-1:this.closedCaptionsTrackId;this.closedCaptionsTrackId=t,this._ccIsSetup=!0}},_.prototype._onLevelSwitch=function(t,e){this.levels.length||this._fillLevels(),this.trigger(c.default.PLAYBACK_LEVEL_SWITCH_END),this.trigger(c.default.PLAYBACK_LEVEL_SWITCH,e);var r=this._hls.levels[e.level];r&&(this.highDefinition=720<=r.height||2e3<=r.bitrate/1e3,this.trigger(c.default.PLAYBACK_HIGHDEFINITIONUPDATE,this.highDefinition),this.trigger(c.default.PLAYBACK_BITRATE,{height:r.height,width:r.width,bandwidth:r.bitrate,bitrate:r.bitrate,level:e.level}))},_.prototype.getPlaybackType=function(){return this._playbackType},_.prototype.isSeekEnabled=function(){return this._playbackType===y.default.VOD||this.dvrEnabled},(0,i.default)(_,[{key:"dvrEnabled",get:function(){return this._durationExcludesAfterLiveSyncPoint&&this._duration>=this._minDvrSize&&this.getPlaybackType()===y.default.LIVE}}]),_);function _(){(0,s.default)(this,_);for(var t=arguments.length,e=Array(t),r=0;r<t;r++)e[r]=arguments[r];var i=(0,l.default)(this,m.call.apply(m,[this].concat(e)));return i.options.playback=(0,o.default)({},i.options,i.options.playback),i._minDvrSize=void 0===i.options.hlsMinimumDvrSize?60:i.options.hlsMinimumDvrSize,i._extrapolatedWindowNumSegments=i.options.playback&&void 0!==i.options.playback.extrapolatedWindowNumSegments?i.options.playback.extrapolatedWindowNumSegments:2,i._playbackType=y.default.VOD,i._lastTimeUpdate={current:0,total:0},i._lastDuration=null,i._playableRegionStartTime=0,i._localStartTimeCorrelation=null,i._localEndTimeCorrelation=null,i._playableRegionDuration=0,i._programDateTime=0,i._durationExcludesAfterLiveSyncPoint=!1,i._segmentTargetDuration=null,i._playlistType=null,i._recoverAttemptsRemaining=i.options.hlsRecoverAttempts||16,i}(e.default=A).canPlay=function(t,e){var r=t.split("?")[0].match(/.*\.(.*)$/)||[],i=1<r.length&&"m3u8"===r[1].toLowerCase()||(0,f.listContainsIgnoreCase)(e,["application/vnd.apple.mpegurl","application/x-mpegURL"]);return!(!v.default.isSupported()||!i)},t.exports=e.default},function(t,e,r){var i=r(9),n=i.JSON||(i.JSON={stringify:JSON.stringify});t.exports=function(t){return n.stringify.apply(n,arguments)}},function(t,e,r){"use strict";e.__esModule=!0;var i,n=r(12),a=(i=n)&&i.__esModule?i:{default:i};e.default=a.default||function(t){for(var e=1;e<arguments.length;e++){var r=arguments[e];for(var i in r)Object.prototype.hasOwnProperty.call(r,i)&&(t[i]=r[i])}return t}},function(t,e,r){var i;"undefined"!=typeof window&&(i=function(){return(i={},n.m=r={"./node_modules/eventemitter3/index.js":function(t,e,r){"use strict";var i=Object.prototype.hasOwnProperty,h="~";function n(){}function s(t,e,r){this.fn=t,this.context=e,this.once=r||!1}function a(t,e,r,i,n){if("function"!=typeof r)throw new TypeError("The listener must be a function");var a=new s(r,i||t,n),o=h?h+e:e;return t._events[o]?t._events[o].fn?t._events[o]=[t._events[o],a]:t._events[o].push(a):(t._events[o]=a,t._eventsCount++),t}function u(t,e){0==--t._eventsCount?t._events=new n:delete t._events[e]}function o(){this._events=new n,this._eventsCount=0}Object.create&&(n.prototype=Object.create(null),(new n).__proto__||(h=!1)),o.prototype.eventNames=function(){var t,e,r=[];if(0===this._eventsCount)return r;for(e in t=this._events)i.call(t,e)&&r.push(h?e.slice(1):e);return Object.getOwnPropertySymbols?r.concat(Object.getOwnPropertySymbols(t)):r},o.prototype.listeners=function(t){var e=h?h+t:t,r=this._events[e];if(!r)return[];if(r.fn)return[r.fn];for(var i=0,n=r.length,a=new Array(n);i<n;i++)a[i]=r[i].fn;return a},o.prototype.listenerCount=function(t){var e=h?h+t:t,r=this._events[e];return r?r.fn?1:r.length:0},o.prototype.emit=function(t,e,r,i,n,a){var o=h?h+t:t;if(!this._events[o])return!1;var s,l,u=this._events[o],d=arguments.length;if(u.fn){switch(u.once&&this.removeListener(t,u.fn,void 0,!0),d){case 1:return u.fn.call(u.context),!0;case 2:return u.fn.call(u.context,e),!0;case 3:return u.fn.call(u.context,e,r),!0;case 4:return u.fn.call(u.context,e,r,i),!0;case 5:return u.fn.call(u.context,e,r,i,n),!0;case 6:return u.fn.call(u.context,e,r,i,n,a),!0}for(l=1,s=new Array(d-1);l<d;l++)s[l-1]=arguments[l];u.fn.apply(u.context,s)}else{var c,f=u.length;for(l=0;l<f;l++)switch(u[l].once&&this.removeListener(t,u[l].fn,void 0,!0),d){case 1:u[l].fn.call(u[l].context);break;case 2:u[l].fn.call(u[l].context,e);break;case 3:u[l].fn.call(u[l].context,e,r);break;case 4:u[l].fn.call(u[l].context,e,r,i);break;default:if(!s)for(c=1,s=new Array(d-1);c<d;c++)s[c-1]=arguments[c];u[l].fn.apply(u[l].context,s)}}return!0},o.prototype.on=function(t,e,r){return a(this,t,e,r,!1)},o.prototype.once=function(t,e,r){return a(this,t,e,r,!0)},o.prototype.removeListener=function(t,e,r,i){var n=h?h+t:t;if(!this._events[n])return this;if(!e)return u(this,n),this;var a=this._events[n];if(a.fn)a.fn!==e||i&&!a.once||r&&a.context!==r||u(this,n);else{for(var o=0,s=[],l=a.length;o<l;o++)(a[o].fn!==e||i&&!a[o].once||r&&a[o].context!==r)&&s.push(a[o]);s.length?this._events[n]=1===s.length?s[0]:s:u(this,n)}return this},o.prototype.removeAllListeners=function(t){var e;return t?(e=h?h+t:t,this._events[e]&&u(this,e)):(this._events=new n,this._eventsCount=0),this},o.prototype.off=o.prototype.removeListener,o.prototype.addListener=o.prototype.on,o.prefixed=h,o.EventEmitter=o,t.exports=o},"./node_modules/url-toolkit/src/url-toolkit.js":function(t,e,r){var i,d,n,a,c;i=/^((?:[a-zA-Z0-9+\-.]+:)?)(\/\/[^\/?#]*)?((?:[^\/\?#]*\/)*.*?)??(;.*?)?(\?.*?)?(#.*?)?$/,d=/^([^\/?#]*)(.*)$/,n=/(?:\/|^)\.(?=\/)/g,a=/(?:\/|^)\.\.\/(?!\.\.\/).*?(?=\/)/g,c={buildAbsoluteURL:function(t,e,r){if(r=r||{},t=t.trim(),!(e=e.trim())){if(!r.alwaysNormalize)return t;var i=c.parseURL(t);if(!i)throw new Error("Error trying to parse base URL.");return i.path=c.normalizePath(i.path),c.buildURLFromParts(i)}var n=c.parseURL(e);if(!n)throw new Error("Error trying to parse relative URL.");if(n.scheme)return r.alwaysNormalize?(n.path=c.normalizePath(n.path),c.buildURLFromParts(n)):e;var a=c.parseURL(t);if(!a)throw new Error("Error trying to parse base URL.");if(!a.netLoc&&a.path&&"/"!==a.path[0]){var o=d.exec(a.path);a.netLoc=o[1],a.path=o[2]}a.netLoc&&!a.path&&(a.path="/");var s={scheme:a.scheme,netLoc:n.netLoc,path:null,params:n.params,query:n.query,fragment:n.fragment};if(!n.netLoc&&(s.netLoc=a.netLoc,"/"!==n.path[0]))if(n.path){var l=a.path,u=l.substring(0,l.lastIndexOf("/")+1)+n.path;s.path=c.normalizePath(u)}else s.path=a.path,n.params||(s.params=a.params,n.query||(s.query=a.query));return null===s.path&&(s.path=r.alwaysNormalize?c.normalizePath(n.path):n.path),c.buildURLFromParts(s)},parseURL:function(t){var e=i.exec(t);return e?{scheme:e[1]||"",netLoc:e[2]||"",path:e[3]||"",params:e[4]||"",query:e[5]||"",fragment:e[6]||""}:null},normalizePath:function(t){for(t=t.split("").reverse().join("").replace(n,"");t.length!==(t=t.replace(a,"")).length;);return t.split("").reverse().join("")},buildURLFromParts:function(t){return t.scheme+t.netLoc+t.path+t.params+t.query+t.fragment}},t.exports=c},"./node_modules/webworkify-webpack/index.js":function(t,e,h){function l(r){var i={};function n(t){if(i[t])return i[t].exports;var e=i[t]={i:t,l:!1,exports:{}};return r[t].call(e.exports,e,e.exports,n),e.l=!0,e.exports}n.m=r,n.c=i,n.i=function(t){return t},n.d=function(t,e,r){n.o(t,e)||Object.defineProperty(t,e,{configurable:!1,enumerable:!0,get:r})},n.r=function(t){Object.defineProperty(t,"__esModule",{value:!0})},n.n=function(t){var e=t&&t.__esModule?function(){return t.default}:function(){return t};return n.d(e,"a",e),e},n.o=function(t,e){return Object.prototype.hasOwnProperty.call(t,e)},n.p="/",n.oe=function(t){throw console.error(t),t};var t=n(n.s=ENTRY_MODULE);return t.default||t}var p="[\\.|\\-|\\+|\\w|/|@]+",g="\\(\\s*(/\\*.*?\\*/)?\\s*.*?("+p+").*?\\)";function m(t){return(t+"").replace(/[.?*+^$[\]\\(){}|-]/g,"\\$&")}function f(t,e,r){var i={};i[r]=[];var n=e.toString(),a=n.match(/^function\s?\w*\(\w+,\s*\w+,\s*(\w+)\)/);if(!a)return i;for(var o,s=a[1],l=new RegExp("(\\\\n|\\W)"+m(s)+g,"g");o=l.exec(n);)"dll-reference"!==o[3]&&i[r].push(o[3]);for(l=new RegExp("\\("+m(s)+'\\("(dll-reference\\s('+p+'))"\\)\\)'+g,"g");o=l.exec(n);)t[o[2]]||(i[r].push(o[1]),t[o[2]]=h(o[1]).m),i[o[2]]=i[o[2]]||[],i[o[2]].push(o[4]);for(var u,d=Object.keys(i),c=0;c<d.length;c++)for(var f=0;f<i[d[c]].length;f++)u=i[d[c]][f],isNaN(1*u)||(i[d[c]][f]=1*i[d[c]][f]);return i}function v(r){return Object.keys(r).reduce(function(t,e){return t||0<r[e].length},!1)}t.exports=function(t,e){e=e||{};var r={main:h.m},i=e.all?{main:Object.keys(r.main)}:function(t,e){for(var r={main:[e]},i={main:[]},n={main:{}};v(r);)for(var a=Object.keys(r),o=0;o<a.length;o++){var s=a[o],l=r[s].pop();if(n[s]=n[s]||{},!n[s][l]&&t[s][l]){n[s][l]=!0,i[s]=i[s]||[],i[s].push(l);for(var u=f(t,t[s][l],s),d=Object.keys(u),c=0;c<d.length;c++)r[d[c]]=r[d[c]]||[],r[d[c]]=r[d[c]].concat(u[d[c]])}}return i}(r,t),n="";Object.keys(i).filter(function(t){return"main"!==t}).forEach(function(e){for(var t=0;i[e][t];)t++;i[e].push(t),r[e][t]="(function(module, exports, __webpack_require__) { module.exports = __webpack_require__; })",n=n+"var "+e+" = ("+l.toString().replace("ENTRY_MODULE",JSON.stringify(t))+")({"+i[e].map(function(t){return JSON.stringify(t)+": "+r[e][t].toString()}).join(",")+"});\n"}),n=n+"new (("+l.toString().replace("ENTRY_MODULE",JSON.stringify(t))+")({"+i.main.map(function(t){return JSON.stringify(t)+": "+r.main[t].toString()}).join(",")+"}))(self);";var a=new window.Blob([n],{type:"text/javascript"});if(e.bare)return a;var o=(window.URL||window.webkitURL||window.mozURL||window.msURL).createObjectURL(a),s=new window.Worker(o);return s.objectURL=o,s}},"./src/crypt/decrypter.js":function(t,e,r){"use strict";r.r(e);var s=function(){function t(t,e){this.subtle=t,this.aesIV=e}return t.prototype.decrypt=function(t,e){return this.subtle.decrypt({name:"AES-CBC",iv:this.aesIV},e,t)},t}(),l=function(){function t(t,e){this.subtle=t,this.key=e}return t.prototype.expandKey=function(){return this.subtle.importKey("raw",this.key,{name:"AES-CBC"},!1,["encrypt","decrypt"])},t}();var u=function(){function t(){this.rcon=[0,1,2,4,8,16,32,64,128,27,54],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.initTable()}var e=t.prototype;return e.uint8ArrayToUint32Array_=function(t){for(var e=new DataView(t),r=new Uint32Array(4),i=0;i<4;i++)r[i]=e.getUint32(4*i);return r},e.initTable=function(){var t=this.sBox,e=this.invSBox,r=this.subMix,i=r[0],n=r[1],a=r[2],o=r[3],s=this.invSubMix,l=s[0],u=s[1],d=s[2],c=s[3],f=new Uint32Array(256),h=0,p=0,g=0;for(g=0;g<256;g++)f[g]=g<128?g<<1:g<<1^283;for(g=0;g<256;g++){var m=p^p<<1^p<<2^p<<3^p<<4;m=m>>>8^255&m^99;var v=f[e[t[h]=m]=h],y=f[v],A=f[y],_=257*f[m]^16843008*m;i[h]=_<<24|_>>>8,n[h]=_<<16|_>>>16,a[h]=_<<8|_>>>24,o[h]=_,_=16843009*A^65537*y^257*v^16843008*h,l[m]=_<<24|_>>>8,u[m]=_<<16|_>>>16,d[m]=_<<8|_>>>24,c[m]=_,h?(h=v^f[f[f[A^v]]],p^=f[f[p]]):h=p=1}},e.expandKey=function(t){for(var e=this.uint8ArrayToUint32Array_(t),r=!0,i=0;i<e.length&&r;)r=e[i]===this.key[i],i++;if(!r){this.key=e;var n=this.keySize=e.length;if(4!==n&&6!==n&&8!==n)throw new Error("Invalid aes key size="+n);var a,o,s,l,u=this.ksRows=4*(n+6+1),d=this.keySchedule=new Uint32Array(u),c=this.invKeySchedule=new Uint32Array(u),f=this.sBox,h=this.rcon,p=this.invSubMix,g=p[0],m=p[1],v=p[2],y=p[3];for(a=0;a<u;a++)a<n?s=d[a]=e[a]:(l=s,a%n==0?(l=f[(l=l<<8|l>>>24)>>>24]<<24|f[l>>>16&255]<<16|f[l>>>8&255]<<8|f[255&l],l^=h[a/n|0]<<24):6<n&&a%n==4&&(l=f[l>>>24]<<24|f[l>>>16&255]<<16|f[l>>>8&255]<<8|f[255&l]),d[a]=s=(d[a-n]^l)>>>0);for(o=0;o<u;o++)a=u-o,l=3&o?d[a]:d[a-4],c[o]=o<4||a<=4?l:g[f[l>>>24]]^m[f[l>>>16&255]]^v[f[l>>>8&255]]^y[f[255&l]],c[o]=c[o]>>>0}},e.networkToHostOrderSwap=function(t){return t<<24|(65280&t)<<8|(16711680&t)>>8|t>>>24},e.decrypt=function(t,e,r,i){for(var n,a,o,s,l,u,d,c,f,h,p,g,m,v,y=this.keySize+6,A=this.invKeySchedule,_=this.invSBox,b=this.invSubMix,E=b[0],T=b[1],S=b[2],k=b[3],L=this.uint8ArrayToUint32Array_(r),R=L[0],C=L[1],w=L[2],O=L[3],P=new Int32Array(t),D=new Int32Array(P.length),I=this.networkToHostOrderSwap;e<P.length;){for(f=I(P[e]),h=I(P[e+1]),p=I(P[e+2]),g=I(P[e+3]),l=f^A[0],u=g^A[1],d=p^A[2],c=h^A[3],m=4,v=1;v<y;v++)n=E[l>>>24]^T[u>>16&255]^S[d>>8&255]^k[255&c]^A[m],a=E[u>>>24]^T[d>>16&255]^S[c>>8&255]^k[255&l]^A[m+1],o=E[d>>>24]^T[c>>16&255]^S[l>>8&255]^k[255&u]^A[m+2],s=E[c>>>24]^T[l>>16&255]^S[u>>8&255]^k[255&d]^A[m+3],l=n,u=a,d=o,c=s,m+=4;n=_[l>>>24]<<24^_[u>>16&255]<<16^_[d>>8&255]<<8^_[255&c]^A[m],a=_[u>>>24]<<24^_[d>>16&255]<<16^_[c>>8&255]<<8^_[255&l]^A[m+1],o=_[d>>>24]<<24^_[c>>16&255]<<16^_[l>>8&255]<<8^_[255&u]^A[m+2],s=_[c>>>24]<<24^_[l>>16&255]<<16^_[u>>8&255]<<8^_[255&d]^A[m+3],m+=3,D[e]=I(n^R),D[e+1]=I(s^C),D[e+2]=I(o^w),D[e+3]=I(a^O),R=f,C=h,w=p,O=g,e+=4}return i?function(t){var e=t.byteLength,r=e&&new DataView(t).getUint8(e-1);return r?t.slice(0,e-r):t}(D.buffer):D.buffer},e.destroy=function(){this.key=void 0,this.keySize=void 0,this.ksRows=void 0,this.sBox=void 0,this.invSBox=void 0,this.subMix=void 0,this.invSubMix=void 0,this.keySchedule=void 0,this.invKeySchedule=void 0,this.rcon=void 0},t}(),a=r("./src/errors.ts"),d=r("./src/utils/logger.js"),o=r("./src/events.js"),i=r("./src/utils/get-self-scope.js"),c=Object(i.getSelfScope)(),n=function(){function t(t,e,r){var i=(void 0===r?{}:r).removePKCS7Padding,n=void 0===i||i;if(this.logEnabled=!0,this.observer=t,this.config=e,this.removePKCS7Padding=n)try{var a=c.crypto;a&&(this.subtle=a.subtle||a.webkitSubtle)}catch(t){}this.disableWebCrypto=!this.subtle}var e=t.prototype;return e.isSync=function(){return this.disableWebCrypto&&this.config.enableSoftwareAES},e.decrypt=function(e,r,i,n){var a=this;if(this.disableWebCrypto&&this.config.enableSoftwareAES){this.logEnabled&&(d.logger.log("JS AES decrypt"),this.logEnabled=!1);var t=this.decryptor;t||(this.decryptor=t=new u),t.expandKey(r),n(t.decrypt(e,0,i,this.removePKCS7Padding))}else{this.logEnabled&&(d.logger.log("WebCrypto AES decrypt"),this.logEnabled=!1);var o=this.subtle;this.key!==r&&(this.key=r,this.fastAesKey=new l(o,r)),this.fastAesKey.expandKey().then(function(t){new s(o,i).decrypt(e,t).catch(function(t){a.onWebCryptoError(t,e,r,i,n)}).then(function(t){n(t)})}).catch(function(t){a.onWebCryptoError(t,e,r,i,n)})}},e.onWebCryptoError=function(t,e,r,i,n){this.config.enableSoftwareAES?(d.logger.log("WebCrypto Error, disable WebCrypto API"),this.disableWebCrypto=!0,this.logEnabled=!0,this.decrypt(e,r,i,n)):(d.logger.error("decrypting error : "+t.message),this.observer.trigger(o.default.ERROR,{type:a.ErrorTypes.MEDIA_ERROR,details:a.ErrorDetails.FRAG_DECRYPT_ERROR,fatal:!0,reason:t.message}))},e.destroy=function(){var t=this.decryptor;t&&(t.destroy(),this.decryptor=void 0)},t}();e.default=n},"./src/demux/demuxer-inline.js":function(t,e,r){"use strict";r.r(e);var J=r("./src/events.js"),tt=r("./src/errors.ts"),g=r("./src/crypt/decrypter.js"),p=r("./src/polyfills/number-isFinite.js"),et=r("./src/utils/logger.js"),i=r("./src/utils/get-self-scope.js");function n(t,e){return 255===t[e]&&240==(246&t[e+1])}function d(t,e){return 1&t[e+1]?7:9}function c(t,e){return(3&t[e+3])<<11|t[e+4]<<3|(224&t[e+5])>>>5}function m(t,e){return!!(e+1<t.length&&n(t,e))}function a(t,e){if(m(t,e)){var r=d(t,e);e+5<t.length&&(r=c(t,e));var i=e+r;if(i===t.length||i+1<t.length&&n(t,i))return!0}return!1}function v(t,e,r,i,n){if(!t.samplerate){var a=function(t,e,r,i){var n,a,o,s,l,u=navigator.userAgent.toLowerCase(),d=i,c=[96e3,88200,64e3,48e3,44100,32e3,24e3,22050,16e3,12e3,11025,8e3,7350];if(n=1+((192&e[r+2])>>>6),a=(60&e[r+2])>>>2,!(c.length-1<a))return s=(1&e[r+2])<<2,s|=(192&e[r+3])>>>6,et.logger.log("manifest codec:"+i+",ADTS data:type:"+n+",sampleingIndex:"+a+"["+c[a]+"Hz],channelConfig:"+s),o=/firefox/i.test(u)?6<=a?(n=5,l=new Array(4),a-3):(n=2,l=new Array(2),a):-1!==u.indexOf("android")?(n=2,l=new Array(2),a):(n=5,l=new Array(4),i&&(-1!==i.indexOf("mp4a.40.29")||-1!==i.indexOf("mp4a.40.5"))||!i&&6<=a?a-3:((i&&-1!==i.indexOf("mp4a.40.2")&&(6<=a&&1==s||/vivaldi/i.test(u))||!i&&1==s)&&(n=2,l=new Array(2)),a)),l[0]=n<<3,l[0]|=(14&a)>>1,l[1]|=(1&a)<<7,l[1]|=s<<3,5===n&&(l[1]|=(14&o)>>1,l[2]=(1&o)<<7,l[2]|=8,l[3]=0),{config:l,samplerate:c[a],channelCount:s,codec:"mp4a.40."+n,manifestCodec:d};t.trigger(J.default.ERROR,{type:tt.ErrorTypes.MEDIA_ERROR,details:tt.ErrorDetails.FRAG_PARSING_ERROR,fatal:!0,reason:"invalid ADTS sampling index:"+a})}(e,r,i,n);t.config=a.config,t.samplerate=a.samplerate,t.channelCount=a.channelCount,t.codec=a.codec,t.manifestCodec=a.manifestCodec,et.logger.log("parsed codec:"+t.codec+",rate:"+a.samplerate+",nb channel:"+a.channelCount)}}function y(t){return 9216e4/t}function A(t,e,r,i,n){var a=function(t,e,r,i,n){var a,o,s=t.length;if(a=d(t,e),o=c(t,e),0<(o-=a)&&e+a+o<=s)return{headerLength:a,frameLength:o,stamp:r+i*n}}(e,r,i,n,y(t.samplerate));if(a){var o=a.stamp,s=a.headerLength,l=a.frameLength,u={unit:e.subarray(r+s,r+s+l),pts:o,dts:o};return t.samples.push(u),{sample:u,length:l+s}}}var R=r("./src/demux/id3.js"),T=function(){function t(t,e,r){this.observer=t,this.config=r,this.remuxer=e}var e=t.prototype;return e.resetInitSegment=function(t,e,r,i){this._audioTrack={container:"audio/adts",type:"audio",id:0,sequenceNumber:0,isAAC:!0,samples:[],len:0,manifestCodec:e,duration:i,inputTimeScale:9e4}},e.resetTimeStamp=function(){},t.probe=function(t){if(!t)return!1;for(var e=(R.default.getID3Data(t,0)||[]).length,r=t.length;e<r;e++)if(a(t,e))return et.logger.log("ADTS sync word found !"),!0;return!1},e.append=function(t,e,r,i){for(var n=this._audioTrack,a=R.default.getID3Data(t,0)||[],o=R.default.getTimeStamp(a),s=Object(p.isFiniteNumber)(o)?90*o:9e4*e,l=0,u=s,d=t.length,c=a.length,f=[{pts:u,dts:u,data:a}];c<d-1;)if(m(t,c)&&c+5<d){v(n,this.observer,t,c,n.manifestCodec);var h=A(n,t,c,s,l);if(!h){et.logger.log("Unable to parse AAC frame");break}c+=h.length,u=h.sample.pts,l++}else R.default.isHeader(t,c)?(a=R.default.getID3Data(t,c),f.push({pts:u,dts:u,data:a}),c+=a.length):c++;this.remuxer.remux(n,{samples:[]},{samples:f,inputTimeScale:9e4},{samples:[]},e,r,i)},e.destroy=function(){},t}(),S=r("./src/demux/mp4demuxer.js"),_={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],SamplingRateMap:[44100,48e3,32e3,22050,24e3,16e3,11025,12e3,8e3],SamplesCoefficients:[[0,72,144,12],[0,0,0,0],[0,72,144,12],[0,144,144,12]],BytesInSlot:[0,1,1,4],appendFrame:function(t,e,r,i,n){if(!(r+24>e.length)){var a=this.parseHeader(e,r);if(a&&r+a.frameLength<=e.length){var o=i+n*(9e4*a.samplesPerFrame/a.sampleRate),s={unit:e.subarray(r,r+a.frameLength),pts:o,dts:o};return t.config=[],t.channelCount=a.channelCount,t.samplerate=a.sampleRate,t.samples.push(s),{sample:s,length:a.frameLength}}}},parseHeader:function(t,e){var r=t[e+1]>>3&3,i=t[e+1]>>1&3,n=t[e+2]>>4&15,a=t[e+2]>>2&3,o=t[e+2]>>1&1;if(1!=r&&0!=n&&15!=n&&3!=a){var s=3==r?3-i:3==i?3:4,l=1e3*_.BitratesMap[14*s+n-1],u=3==r?0:2==r?1:2,d=_.SamplingRateMap[3*u+a],c=t[e+3]>>6==3?1:2,f=_.SamplesCoefficients[r][i],h=_.BytesInSlot[i],p=8*f*h;return{sampleRate:d,channelCount:c,frameLength:parseInt(f*l/d+o,10)*h,samplesPerFrame:p}}},isHeaderPattern:function(t,e){return 255===t[e]&&224==(224&t[e+1])&&0!=(6&t[e+1])},isHeader:function(t,e){return!!(e+1<t.length&&this.isHeaderPattern(t,e))},probe:function(t,e){if(e+1<t.length&&this.isHeaderPattern(t,e)){var r=this.parseHeader(t,e),i=4;r&&r.frameLength&&(i=r.frameLength);var n=e+i;if(n===t.length||n+1<t.length&&this.isHeaderPattern(t,n))return!0}return!1}},b=_,C=function(){function t(t){this.data=t,this.bytesAvailable=t.byteLength,this.word=0,this.bitsAvailable=0}var e=t.prototype;return e.loadWord=function(){var t=this.data,e=this.bytesAvailable,r=t.byteLength-e,i=new Uint8Array(4),n=Math.min(4,e);if(0===n)throw new Error("no bytes available");i.set(t.subarray(r,r+n)),this.word=new DataView(i.buffer).getUint32(0),this.bitsAvailable=8*n,this.bytesAvailable-=n},e.skipBits=function(t){var e;this.bitsAvailable>t||(t-=this.bitsAvailable,t-=(e=t>>3)>>3,this.bytesAvailable-=e,this.loadWord()),this.word<<=t,this.bitsAvailable-=t},e.readBits=function(t){var e=Math.min(this.bitsAvailable,t),r=this.word>>>32-e;return 32<t&&et.logger.error("Cannot read more than 32 bits at a time"),this.bitsAvailable-=e,0<this.bitsAvailable?this.word<<=e:0<this.bytesAvailable&&this.loadWord(),0<(e=t-e)&&this.bitsAvailable?r<<e|this.readBits(e):r},e.skipLZ=function(){var t;for(t=0;t<this.bitsAvailable;++t)if(0!=(this.word&2147483648>>>t))return this.word<<=t,this.bitsAvailable-=t,t;return this.loadWord(),t+this.skipLZ()},e.skipUEG=function(){this.skipBits(1+this.skipLZ())},e.skipEG=function(){this.skipBits(1+this.skipLZ())},e.readUEG=function(){var t=this.skipLZ();return this.readBits(t+1)-1},e.readEG=function(){var t=this.readUEG();return 1&t?1+t>>>1:-1*(t>>>1)},e.readBoolean=function(){return 1===this.readBits(1)},e.readUByte=function(){return this.readBits(8)},e.readUShort=function(){return this.readBits(16)},e.readUInt=function(){return this.readBits(32)},e.skipScalingList=function(t){var e,r=8,i=8;for(e=0;e<t;e++)0!==i&&(i=(r+this.readEG()+256)%256),r=0===i?r:i},e.readSPS=function(){var t,e,r,i,n,a,o,s=0,l=0,u=0,d=0,c=this.readUByte.bind(this),f=this.readBits.bind(this),h=this.readUEG.bind(this),p=this.readBoolean.bind(this),g=this.skipBits.bind(this),m=this.skipEG.bind(this),v=this.skipUEG.bind(this),y=this.skipScalingList.bind(this);if(c(),t=c(),f(5),g(3),c(),v(),100===t||110===t||122===t||244===t||44===t||83===t||86===t||118===t||128===t){var A=h();if(3===A&&g(1),v(),v(),g(1),p())for(a=3!==A?8:12,o=0;o<a;o++)p()&&y(o<6?16:64)}v();var _=h();if(0===_)h();else if(1===_)for(g(1),m(),m(),e=h(),o=0;o<e;o++)m();v(),g(1),r=h(),i=h(),0===(n=f(1))&&g(1),g(1),p()&&(s=h(),l=h(),u=h(),d=h());var b=[1,1];if(p()&&p())switch(c()){case 1:b=[1,1];break;case 2:b=[12,11];break;case 3:b=[10,11];break;case 4:b=[16,11];break;case 5:b=[40,33];break;case 6:b=[24,11];break;case 7:b=[20,11];break;case 8:b=[32,11];break;case 9:b=[80,33];break;case 10:b=[18,11];break;case 11:b=[15,11];break;case 12:b=[64,33];break;case 13:b=[160,99];break;case 14:b=[4,3];break;case 15:b=[3,2];break;case 16:b=[2,1];break;case 255:b=[c()<<8|c(),c()<<8|c()]}return{width:Math.ceil(16*(r+1)-2*s-2*l),height:(2-n)*(i+1)*16-(n?2:4)*(u+d),pixelRatio:b}},e.readSliceType=function(){return this.readUByte(),this.readUEG(),this.readUEG()},t}(),o=function(){function t(t,e,r,i){this.decryptdata=r,this.discardEPB=i,this.decrypter=new g.default(t,e,{removePKCS7Padding:!1})}var e=t.prototype;return e.decryptBuffer=function(t,e){this.decrypter.decrypt(t,this.decryptdata.key.buffer,this.decryptdata.iv.buffer,e)},e.decryptAacSample=function(e,r,i,n){var a=e[r].unit,t=a.subarray(16,a.length-a.length%16),o=t.buffer.slice(t.byteOffset,t.byteOffset+t.length),s=this;this.decryptBuffer(o,function(t){t=new Uint8Array(t),a.set(t,16),n||s.decryptAacSamples(e,r+1,i)})},e.decryptAacSamples=function(t,e,r){for(;;e++){if(e>=t.length)return void r();if(!(t[e].unit.length<32)){var i=this.decrypter.isSync();if(this.decryptAacSample(t,e,r,i),!i)return}}},e.getAvcEncryptedData=function(t){for(var e=16*Math.floor((t.length-48)/160)+16,r=new Int8Array(e),i=0,n=32;n<=t.length-16;n+=160,i+=16)r.set(t.subarray(n,n+16),i);return r},e.getAvcDecryptedUnit=function(t,e){e=new Uint8Array(e);for(var r=0,i=32;i<=t.length-16;i+=160,r+=16)t.set(e.subarray(r,r+16),i);return t},e.decryptAvcSample=function(e,r,i,n,a,o){var s=this.discardEPB(a.data),t=this.getAvcEncryptedData(s),l=this;this.decryptBuffer(t.buffer,function(t){a.data=l.getAvcDecryptedUnit(s,t),o||l.decryptAvcSamples(e,r,i+1,n)})},e.decryptAvcSamples=function(t,e,r,i){for(;;e++,r=0){if(e>=t.length)return void i();for(var n=t[e].units;!(r>=n.length);r++){var a=n[r];if(!(a.length<=48||1!==a.type&&5!==a.type)){var o=this.decrypter.isSync();if(this.decryptAvcSample(t,e,r,i,a,o),!o)return}}}},t}(),s={video:1,audio:2,id3:3,text:4},k=function(){function P(t,e,r,i){this.observer=t,this.config=r,this.typeSupported=i,this.remuxer=e,this.sampleAes=null}var t=P.prototype;return t.setDecryptData=function(t){null!=t&&null!=t.key&&"SAMPLE-AES"===t.method?this.sampleAes=new o(this.observer,this.config,t,this.discardEPB):this.sampleAes=null},P.probe=function(t){var e=P._syncOffset(t);return!(e<0)&&(e&&et.logger.warn("MPEG2-TS detected but first sync word found @ offset "+e+", junk ahead ?"),!0)},P._syncOffset=function(t){for(var e=Math.min(1e3,t.length-564),r=0;r<e;){if(71===t[r]&&71===t[r+188]&&71===t[r+376])return r;r++}return-1},P.createTrack=function(t,e){return{container:"video"===t||"audio"===t?"video/mp2t":void 0,type:t,id:s[t],pid:-1,inputTimeScale:9e4,sequenceNumber:0,samples:[],dropped:"video"===t?0:void 0,isAAC:"audio"===t||void 0,duration:"audio"===t?e:void 0}},t.resetInitSegment=function(t,e,r,i){this.pmtParsed=!1,this._pmtId=-1,this._avcTrack=P.createTrack("video",i),this._audioTrack=P.createTrack("audio",i),this._id3Track=P.createTrack("id3",i),this._txtTrack=P.createTrack("text",i),this.aacOverFlow=null,this.aacLastPTS=null,this.avcSample=null,this.audioCodec=e,this.videoCodec=r,this._duration=i},t.resetTimeStamp=function(){},t.append=function(t,e,r,i){var n,a,o,s,l,u=t.length,d=!1;this.contiguous=r;var c=this.pmtParsed,f=this._avcTrack,h=this._audioTrack,p=this._id3Track,g=f.pid,m=h.pid,v=p.pid,y=this._pmtId,A=f.pesData,_=h.pesData,b=p.pesData,E=this._parsePAT,T=this._parsePMT,S=this._parsePES,k=this._parseAVCPES.bind(this),L=this._parseAACPES.bind(this),R=this._parseMPEGPES.bind(this),C=this._parseID3PES.bind(this),w=P._syncOffset(t);for(u-=(u+w)%188,n=w;n<u;n+=188)if(71===t[n]){if(a=!!(64&t[n+1]),o=((31&t[n+1])<<8)+t[n+2],1<(48&t[n+3])>>4){if((s=n+5+t[n+4])===n+188)continue}else s=n+4;switch(o){case g:a&&(A&&(l=S(A))&&k(l,!1),A={data:[],size:0}),A&&(A.data.push(t.subarray(s,n+188)),A.size+=n+188-s);break;case m:a&&(_&&(l=S(_))&&(h.isAAC?L(l):R(l)),_={data:[],size:0}),_&&(_.data.push(t.subarray(s,n+188)),_.size+=n+188-s);break;case v:a&&(b&&(l=S(b))&&C(l),b={data:[],size:0}),b&&(b.data.push(t.subarray(s,n+188)),b.size+=n+188-s);break;case 0:a&&(s+=t[s]+1),y=this._pmtId=E(t,s);break;case y:a&&(s+=t[s]+1);var O=T(t,s,!0===this.typeSupported.mpeg||!0===this.typeSupported.mp3,null!=this.sampleAes);0<(g=O.avc)&&(f.pid=g),0<(m=O.audio)&&(h.pid=m,h.isAAC=O.isAAC),0<(v=O.id3)&&(p.pid=v),d&&!c&&(et.logger.log("reparse from beginning"),d=!1,n=w-188),c=this.pmtParsed=!0;break;case 17:case 8191:break;default:d=!0}}else this.observer.trigger(J.default.ERROR,{type:tt.ErrorTypes.MEDIA_ERROR,details:tt.ErrorDetails.FRAG_PARSING_ERROR,fatal:!1,reason:"TS packet did not start with 0x47"});A&&(l=S(A))?(k(l,!0),f.pesData=null):f.pesData=A,_&&(l=S(_))?(h.isAAC?L(l):R(l),h.pesData=null):(_&&_.size&&et.logger.log("last AAC PES packet truncated,might overlap between fragments"),h.pesData=_),b&&(l=S(b))?(C(l),p.pesData=null):p.pesData=b,null==this.sampleAes?this.remuxer.remux(h,f,p,this._txtTrack,e,r,i):this.decryptAndRemux(h,f,p,this._txtTrack,e,r,i)},t.decryptAndRemux=function(t,e,r,i,n,a,o){if(t.samples&&t.isAAC){var s=this;this.sampleAes.decryptAacSamples(t.samples,0,function(){s.decryptAndRemuxAvc(t,e,r,i,n,a,o)})}else this.decryptAndRemuxAvc(t,e,r,i,n,a,o)},t.decryptAndRemuxAvc=function(t,e,r,i,n,a,o){if(e.samples){var s=this;this.sampleAes.decryptAvcSamples(e.samples,0,0,function(){s.remuxer.remux(t,e,r,i,n,a,o)})}else this.remuxer.remux(t,e,r,i,n,a,o)},t.destroy=function(){this._initPTS=this._initDTS=void 0,this._duration=0},t._parsePAT=function(t,e){return(31&t[e+10])<<8|t[e+11]},t._parsePMT=function(t,e,r,i){var n,a,o={audio:-1,avc:-1,id3:-1,isAAC:!0};for(n=e+3+((15&t[e+1])<<8|t[e+2])-4,e+=12+((15&t[e+10])<<8|t[e+11]);e<n;){switch(a=(31&t[e+1])<<8|t[e+2],t[e]){case 207:if(!i){et.logger.log("unknown stream type:"+t[e]);break}case 15:-1===o.audio&&(o.audio=a);break;case 21:-1===o.id3&&(o.id3=a);break;case 219:if(!i){et.logger.log("unknown stream type:"+t[e]);break}case 27:-1===o.avc&&(o.avc=a);break;case 3:case 4:r?-1===o.audio&&(o.audio=a,o.isAAC=!1):et.logger.log("MPEG audio found, not supported in this browser for now");break;case 36:et.logger.warn("HEVC stream type found, not supported for now");break;default:et.logger.log("unknown stream type:"+t[e])}e+=5+((15&t[e+3])<<8|t[e+4])}return o},t._parsePES=function(t){var e,r,i,n,a,o,s,l,u=0,d=t.data;if(!t||0===t.size)return null;for(;d[0].length<19&&1<d.length;){var c=new Uint8Array(d[0].length+d[1].length);c.set(d[0]),c.set(d[1],d[0].length),d[0]=c,d.splice(1,1)}if(1!==((e=d[0])[0]<<16)+(e[1]<<8)+e[2])return null;if((i=(e[4]<<8)+e[5])&&i>t.size-6)return null;if(192&(r=e[7])&&(4294967295<(o=536870912*(14&e[9])+4194304*(255&e[10])+16384*(254&e[11])+128*(255&e[12])+(254&e[13])/2)&&(o-=8589934592),64&r?(4294967295<(s=536870912*(14&e[14])+4194304*(255&e[15])+16384*(254&e[16])+128*(255&e[17])+(254&e[18])/2)&&(s-=8589934592),54e5<o-s&&(et.logger.warn(Math.round((o-s)/9e4)+"s delta between PTS and DTS, align them"),o=s)):s=o),l=(n=e[8])+9,t.size<=l)return null;t.size-=l,a=new Uint8Array(t.size);for(var f=0,h=d.length;f<h;f++){var p=(e=d[f]).byteLength;if(l){if(p<l){l-=p;continue}e=e.subarray(l),p-=l,l=0}a.set(e,u),u+=p}return i&&(i-=n+3),{data:a,pts:o,dts:s,len:i}},t.pushAccesUnit=function(t,e){if(t.units.length&&t.frame){var r=e.samples,i=r.length;if(isNaN(t.pts)){if(!i)return void e.dropped++;var n=r[i-1];t.pts=n.pts,t.dts=n.dts}!this.config.forceKeyFrameOnDiscontinuity||!0===t.key||e.sps&&(i||this.contiguous)?(t.id=i,r.push(t)):e.dropped++}t.debug.length&&et.logger.log(t.pts+"/"+t.dts+":"+t.debug)},t._parseAVCPES=function(v,t){function y(t,e,r,i){return{key:t,pts:e,dts:r,units:[],debug:i}}var A,_,b,E=this,T=this._avcTrack,e=this._parseAVCNALu(v.data),S=this.avcSample,k=!1,L=this.pushAccesUnit.bind(this);v.data=null,S&&e.length&&!T.audFound&&(L(S,T),S=this.avcSample=y(!1,v.pts,v.dts,"")),e.forEach(function(t){switch(t.type){case 1:_=!0,S||(S=E.avcSample=y(!0,v.pts,v.dts,"")),S.frame=!0;var e=t.data;if(k&&4<e.length){var r=new C(e).readSliceType();2!==r&&4!==r&&7!==r&&9!==r||(S.key=!0)}break;case 5:_=!0,S||(S=E.avcSample=y(!0,v.pts,v.dts,"")),S.key=!0,S.frame=!0;break;case 6:_=!0,(A=new C(E.discardEPB(t.data))).readUByte();for(var i=0,n=0,a=!1,o=0;!a&&1<A.bytesAvailable;){for(i=0;i+=o=A.readUByte(),255===o;);for(n=0;n+=o=A.readUByte(),255===o;);if(4===i&&0!==A.bytesAvailable){if(a=!0,181===A.readUByte())if(49===A.readUShort())if(1195456820===A.readUInt())if(3===A.readUByte()){var s=A.readUByte(),l=31&s,u=[s,A.readUByte()];for(b=0;b<l;b++)u.push(A.readUByte()),u.push(A.readUByte()),u.push(A.readUByte());E._insertSampleInOrder(E._txtTrack.samples,{type:3,pts:v.pts,bytes:u})}}else if(5===i&&0!==A.bytesAvailable){if(a=!0,16<n){var d=[];for(b=0;b<16;b++)d.push(A.readUByte().toString(16)),3!==b&&5!==b&&7!==b&&9!==b||d.push("-");var c=n-16,f=new Uint8Array(c);for(b=0;b<c;b++)f[b]=A.readUByte();E._insertSampleInOrder(E._txtTrack.samples,{pts:v.pts,payloadType:i,uuid:d.join(""),userDataBytes:f,userData:Object(R.utf8ArrayToStr)(f.buffer)})}}else if(n<A.bytesAvailable)for(b=0;b<n;b++)A.readUByte()}break;case 7:if(k=_=!0,!T.sps){var h=(A=new C(t.data)).readSPS();T.width=h.width,T.height=h.height,T.pixelRatio=h.pixelRatio,T.sps=[t.data],T.duration=E._duration;var p=t.data.subarray(1,4),g="avc1.";for(b=0;b<3;b++){var m=p[b].toString(16);m.length<2&&(m="0"+m),g+=m}T.codec=g}break;case 8:_=!0,T.pps||(T.pps=[t.data]);break;case 9:_=!1,T.audFound=!0,S&&L(S,T),S=E.avcSample=y(!1,v.pts,v.dts,"");break;case 12:_=!1;break;default:_=!1,S&&(S.debug+="unknown NAL "+t.type+" ")}S&&_&&S.units.push(t)}),t&&S&&(L(S,T),this.avcSample=null)},t._insertSampleInOrder=function(t,e){var r=t.length;if(0<r){if(e.pts>=t[r-1].pts)t.push(e);else for(var i=r-1;0<=i;i--)if(e.pts<t[i].pts){t.splice(i,0,e);break}}else t.push(e)},t._getLastNalUnit=function(){var t,e=this.avcSample;if(!e||0===e.units.length){var r=this._avcTrack.samples;e=r[r.length-1]}if(e){var i=e.units;t=i[i.length-1]}return t},t._parseAVCNALu=function(t){var e,r,i,n,a=0,o=t.byteLength,s=this._avcTrack,l=s.naluState||0,u=l,d=[],c=-1;for(-1===l&&(n=31&t[c=0],l=0,a=1);a<o;)if(e=t[a++],l)if(1!==l)if(e)if(1===e){if(0<=c)i={data:t.subarray(c,a-l-1),type:n},d.push(i);else{var f=this._getLastNalUnit();if(f&&(u&&a<=4-u&&f.state&&(f.data=f.data.subarray(0,f.data.byteLength-u)),0<(r=a-l-1))){var h=new Uint8Array(f.data.byteLength+r);h.set(f.data,0),h.set(t.subarray(0,r),f.data.byteLength),f.data=h}}l=a<o?(n=31&t[c=a],0):-1}else l=0;else l=3;else l=e?0:2;else l=e?0:1;if(0<=c&&0<=l&&(i={data:t.subarray(c,o),type:n,state:l},d.push(i)),0===d.length){var p=this._getLastNalUnit();if(p){var g=new Uint8Array(p.data.byteLength+t.byteLength);g.set(p.data,0),g.set(t,p.data.byteLength),p.data=g}}return s.naluState=l,d},t.discardEPB=function(t){for(var e,r,i=t.byteLength,n=[],a=1;a<i-2;)0===t[a]&&0===t[a+1]&&3===t[a+2]?(n.push(a+2),a+=2):a++;if(0===n.length)return t;e=i-n.length,r=new Uint8Array(e);var o=0;for(a=0;a<e;o++,a++)o===n[0]&&(o++,n.shift()),r[a]=t[o];return r},t._parseAACPES=function(t){var e,r,i,n,a,o,s,l=this._audioTrack,u=t.data,d=t.pts,c=this.aacOverFlow,f=this.aacLastPTS;if(c){var h=new Uint8Array(c.byteLength+u.byteLength);h.set(c,0),h.set(u,c.byteLength),u=h}for(i=0,a=u.length;i<a-1&&!m(u,i);i++);if(i&&(s=i<a-1?(o="AAC PES did not start with ADTS header,offset:"+i,!1):(o="no ADTS header found in AAC PES",!0),et.logger.warn("parsing error:"+o),this.observer.trigger(J.default.ERROR,{type:tt.ErrorTypes.MEDIA_ERROR,details:tt.ErrorDetails.FRAG_PARSING_ERROR,fatal:s,reason:o}),s))return;if(v(l,this.observer,u,i,this.audioCodec),r=0,e=y(l.samplerate),c&&f){var p=f+e;1<Math.abs(p-d)&&(et.logger.log("AAC: align PTS for overlapping frames by "+Math.round((p-d)/90)),d=p)}for(;i<a;){if(m(u,i)){if(i+5<a){var g=A(l,u,i,d,r);if(g){i+=g.length,n=g.sample.pts,r++;continue}}break}i++}c=i<a?u.subarray(i,a):null,this.aacOverFlow=c,this.aacLastPTS=n},t._parseMPEGPES=function(t){for(var e=t.data,r=e.length,i=0,n=0,a=t.pts;n<r;)if(b.isHeader(e,n)){var o=b.appendFrame(this._audioTrack,e,n,a,i);if(!o)break;n+=o.length,i++}else n++},t._parseID3PES=function(t){this._id3Track.samples.push(t)},P}(),L=function(){function t(t,e,r){this.observer=t,this.config=r,this.remuxer=e}var e=t.prototype;return e.resetInitSegment=function(t,e,r,i){this._audioTrack={container:"audio/mpeg",type:"audio",id:-1,sequenceNumber:0,isAAC:!1,samples:[],len:0,manifestCodec:e,duration:i,inputTimeScale:9e4}},e.resetTimeStamp=function(){},t.probe=function(t){var e,r,i=R.default.getID3Data(t,0);if(i&&void 0!==R.default.getTimeStamp(i))for(e=i.length,r=Math.min(t.length-1,e+100);e<r;e++)if(b.probe(t,e))return et.logger.log("MPEG Audio sync word found !"),!0;return!1},e.append=function(t,e,r,i){for(var n=R.default.getID3Data(t,0),a=R.default.getTimeStamp(n),o=a?90*a:9e4*e,s=n.length,l=t.length,u=0,d=0,c=this._audioTrack,f=[{pts:o,dts:o,data:n}];s<l;)if(b.isHeader(t,s)){var h=b.appendFrame(c,t,s,o,u);if(!h)break;s+=h.length,d=h.sample.pts,u++}else R.default.isHeader(t,s)?(n=R.default.getID3Data(t,s),f.push({pts:d,dts:d,data:n}),s+=n.length):s++;this.remuxer.remux(c,{samples:[]},{samples:f,inputTimeScale:9e4},{samples:[]},e,r,i)},e.destroy=function(){},t}(),Y=function(){function t(){}return t.getSilentFrame=function(t,e){switch(t){case"mp4a.40.2":if(1===e)return new Uint8Array([0,200,0,128,35,128]);if(2===e)return new Uint8Array([33,0,73,144,2,25,0,35,128]);if(3===e)return new Uint8Array([0,200,0,128,32,132,1,38,64,8,100,0,142]);if(4===e)return new Uint8Array([0,200,0,128,32,132,1,38,64,8,100,0,128,44,128,8,2,56]);if(5===e)return new Uint8Array([0,200,0,128,32,132,1,38,64,8,100,0,130,48,4,153,0,33,144,2,56]);if(6===e)return new Uint8Array([0,200,0,128,32,132,1,38,64,8,100,0,130,48,4,153,0,33,144,2,0,178,0,32,8,224]);break;default:if(1===e)return new Uint8Array([1,64,34,128,163,78,230,128,186,8,0,0,0,28,6,241,193,10,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,94]);if(2===e)return new Uint8Array([1,64,34,128,163,94,230,128,186,8,0,0,0,0,149,0,6,241,161,10,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,94]);if(3===e)return new Uint8Array([1,64,34,128,163,94,230,128,186,8,0,0,0,0,149,0,6,241,161,10,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,90,94])}return null},t}(),l=Math.pow(2,32)-1,rt=function(){function f(){}return f.init=function(){var t;for(t in f.types={avc1:[],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:[]})f.types.hasOwnProperty(t)&&(f.types[t]=[t.charCodeAt(0),t.charCodeAt(1),t.charCodeAt(2),t.charCodeAt(3)]);var e=new Uint8Array([0,0,0,0,0,0,0,0,118,105,100,101,0,0,0,0,0,0,0,0,0,0,0,0,86,105,100,101,111,72,97,110,100,108,101,114,0]),r=new Uint8Array([0,0,0,0,0,0,0,0,115,111,117,110,0,0,0,0,0,0,0,0,0,0,0,0,83,111,117,110,100,72,97,110,100,108,101,114,0]);f.HDLR_TYPES={video:e,audio:r};var i=new Uint8Array([0,0,0,0,0,0,0,1,0,0,0,12,117,114,108,32,0,0,0,1]),n=new Uint8Array([0,0,0,0,0,0,0,0]);f.STTS=f.STSC=f.STCO=n,f.STSZ=new Uint8Array([0,0,0,0,0,0,0,0,0,0,0,0]),f.VMHD=new Uint8Array([0,0,0,1,0,0,0,0,0,0,0,0]),f.SMHD=new Uint8Array([0,0,0,0,0,0,0,0]),f.STSD=new Uint8Array([0,0,0,0,0,0,0,1]);var a=new Uint8Array([105,115,111,109]),o=new Uint8Array([97,118,99,49]),s=new Uint8Array([0,0,0,1]);f.FTYP=f.box(f.types.ftyp,a,s,a,o),f.DINF=f.box(f.types.dinf,f.box(f.types.dref,i))},f.box=function(t){for(var e,r=Array.prototype.slice.call(arguments,1),i=8,n=r.length,a=n;n--;)i+=r[n].byteLength;for((e=new Uint8Array(i))[0]=i>>24&255,e[1]=i>>16&255,e[2]=i>>8&255,e[3]=255&i,e.set(t,4),n=0,i=8;n<a;n++)e.set(r[n],i),i+=r[n].byteLength;return e},f.hdlr=function(t){return f.box(f.types.hdlr,f.HDLR_TYPES[t])},f.mdat=function(t){return f.box(f.types.mdat,t)},f.mdhd=function(t,e){e*=t;var r=Math.floor(e/(1+l)),i=Math.floor(e%(1+l));return f.box(f.types.mdhd,new Uint8Array([1,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,3,t>>24&255,t>>16&255,t>>8&255,255&t,r>>24,r>>16&255,r>>8&255,255&r,i>>24,i>>16&255,i>>8&255,255&i,85,196,0,0]))},f.mdia=function(t){return f.box(f.types.mdia,f.mdhd(t.timescale,t.duration),f.hdlr(t.type),f.minf(t))},f.mfhd=function(t){return f.box(f.types.mfhd,new Uint8Array([0,0,0,0,t>>24,t>>16&255,t>>8&255,255&t]))},f.minf=function(t){return"audio"===t.type?f.box(f.types.minf,f.box(f.types.smhd,f.SMHD),f.DINF,f.stbl(t)):f.box(f.types.minf,f.box(f.types.vmhd,f.VMHD),f.DINF,f.stbl(t))},f.moof=function(t,e,r){return f.box(f.types.moof,f.mfhd(t),f.traf(r,e))},f.moov=function(t){for(var e=t.length,r=[];e--;)r[e]=f.trak(t[e]);return f.box.apply(null,[f.types.moov,f.mvhd(t[0].timescale,t[0].duration)].concat(r).concat(f.mvex(t)))},f.mvex=function(t){for(var e=t.length,r=[];e--;)r[e]=f.trex(t[e]);return f.box.apply(null,[f.types.mvex].concat(r))},f.mvhd=function(t,e){e*=t;var r=Math.floor(e/(1+l)),i=Math.floor(e%(1+l)),n=new Uint8Array([1,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,3,t>>24&255,t>>16&255,t>>8&255,255&t,r>>24,r>>16&255,r>>8&255,255&r,i>>24,i>>16&255,i>>8&255,255&i,0,1,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,64,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,255,255,255,255]);return f.box(f.types.mvhd,n)},f.sdtp=function(t){var e,r,i=t.samples||[],n=new Uint8Array(4+i.length);for(r=0;r<i.length;r++)e=i[r].flags,n[r+4]=e.dependsOn<<4|e.isDependedOn<<2|e.hasRedundancy;return f.box(f.types.sdtp,n)},f.stbl=function(t){return f.box(f.types.stbl,f.stsd(t),f.box(f.types.stts,f.STTS),f.box(f.types.stsc,f.STSC),f.box(f.types.stsz,f.STSZ),f.box(f.types.stco,f.STCO))},f.avc1=function(t){var e,r,i,n=[],a=[];for(e=0;e<t.sps.length;e++)i=(r=t.sps[e]).byteLength,n.push(i>>>8&255),n.push(255&i),n=n.concat(Array.prototype.slice.call(r));for(e=0;e<t.pps.length;e++)i=(r=t.pps[e]).byteLength,a.push(i>>>8&255),a.push(255&i),a=a.concat(Array.prototype.slice.call(r));var o=f.box(f.types.avcC,new Uint8Array([1,n[3],n[4],n[5],255,224|t.sps.length].concat(n).concat([t.pps.length]).concat(a))),s=t.width,l=t.height,u=t.pixelRatio[0],d=t.pixelRatio[1];return f.box(f.types.avc1,new Uint8Array([0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,s>>8&255,255&s,l>>8&255,255&l,0,72,0,0,0,72,0,0,0,0,0,0,0,1,18,100,97,105,108,121,109,111,116,105,111,110,47,104,108,115,46,106,115,0,0,0,0,0,0,0,0,0,0,0,0,0,0,24,17,17]),o,f.box(f.types.btrt,new Uint8Array([0,28,156,128,0,45,198,192,0,45,198,192])),f.box(f.types.pasp,new Uint8Array([u>>24,u>>16&255,u>>8&255,255&u,d>>24,d>>16&255,d>>8&255,255&d])))},f.esds=function(t){var e=t.config.length;return new Uint8Array([0,0,0,0,3,23+e,0,1,0,4,15+e,64,21,0,0,0,0,0,0,0,0,0,0,0,5].concat([e]).concat(t.config).concat([6,1,2]))},f.mp4a=function(t){var e=t.samplerate;return f.box(f.types.mp4a,new Uint8Array([0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,t.channelCount,0,16,0,0,0,0,e>>8&255,255&e,0,0]),f.box(f.types.esds,f.esds(t)))},f.mp3=function(t){var e=t.samplerate;return f.box(f.types[".mp3"],new Uint8Array([0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,t.channelCount,0,16,0,0,0,0,e>>8&255,255&e,0,0]))},f.stsd=function(t){return"audio"===t.type?t.isAAC||"mp3"!==t.codec?f.box(f.types.stsd,f.STSD,f.mp4a(t)):f.box(f.types.stsd,f.STSD,f.mp3(t)):f.box(f.types.stsd,f.STSD,f.avc1(t))},f.tkhd=function(t){var e=t.id,r=t.duration*t.timescale,i=t.width,n=t.height,a=Math.floor(r/(1+l)),o=Math.floor(r%(1+l));return f.box(f.types.tkhd,new Uint8Array([1,0,0,7,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,3,e>>24&255,e>>16&255,e>>8&255,255&e,0,0,0,0,a>>24,a>>16&255,a>>8&255,255&a,o>>24,o>>16&255,o>>8&255,255&o,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,64,0,0,0,i>>8&255,255&i,0,0,n>>8&255,255&n,0,0]))},f.traf=function(t,e){var r=f.sdtp(t),i=t.id,n=Math.floor(e/(1+l)),a=Math.floor(e%(1+l));return f.box(f.types.traf,f.box(f.types.tfhd,new Uint8Array([0,0,0,0,i>>24,i>>16&255,i>>8&255,255&i])),f.box(f.types.tfdt,new Uint8Array([1,0,0,0,n>>24,n>>16&255,n>>8&255,255&n,a>>24,a>>16&255,a>>8&255,255&a])),f.trun(t,r.length+16+20+8+16+8+8),r)},f.trak=function(t){return t.duration=t.duration||4294967295,f.box(f.types.trak,f.tkhd(t),f.mdia(t))},f.trex=function(t){var e=t.id;return f.box(f.types.trex,new Uint8Array([0,0,0,0,e>>24,e>>16&255,e>>8&255,255&e,0,0,0,1,0,0,0,0,0,0,0,0,0,1,0,1]))},f.trun=function(t,e){var r,i,n,a,o,s,l=t.samples||[],u=l.length,d=12+16*u,c=new Uint8Array(d);for(e+=8+d,c.set([0,0,15,1,u>>>24&255,u>>>16&255,u>>>8&255,255&u,e>>>24&255,e>>>16&255,e>>>8&255,255&e],0),r=0;r<u;r++)n=(i=l[r]).duration,a=i.size,o=i.flags,s=i.cts,c.set([n>>>24&255,n>>>16&255,n>>>8&255,255&n,a>>>24&255,a>>>16&255,a>>>8&255,255&a,o.isLeading<<2|o.dependsOn,o.isDependedOn<<6|o.hasRedundancy<<4|o.paddingValue<<1|o.isNonSync,61440&o.degradPrio,15&o.degradPrio,s>>>24&255,s>>>16&255,s>>>8&255,255&s],12+16*r);return f.box(f.types.trun,c)},f.initSegment=function(t){f.types||f.init();var e,r=f.moov(t);return(e=new Uint8Array(f.FTYP.byteLength+r.byteLength)).set(f.FTYP),e.set(r,f.FTYP.byteLength),e},f}();function u(t,e,r,i){void 0===r&&(r=1),void 0===i&&(i=!1);var n=t*e*r;return i?Math.round(n):n}function it(t,e){return void 0===e&&(e=!1),u(t,1e3,1/9e4,e)}function f(t,e){return void 0===e&&(e=1),u(t,9e4,1/e)}var E,H=f(10),nt=f(.2),w=function(){function t(t,e,r,i){this.observer=t,this.config=e,this.typeSupported=r;var n=navigator.userAgent;this.isSafari=i&&-1<i.indexOf("Apple")&&n&&!n.match("CriOS"),this.ISGenerated=!1}var e=t.prototype;return e.destroy=function(){},e.resetTimeStamp=function(t){this._initPTS=this._initDTS=t},e.resetInitSegment=function(){this.ISGenerated=!1},e.remux=function(t,e,r,i,n,a,o){if(this.ISGenerated||this.generateIS(t,e,n),this.ISGenerated){var s=t.samples.length,l=e.samples.length,u=n,d=n;if(s&&l){var c=(t.samples[0].pts-e.samples[0].pts)/e.inputTimeScale;u+=Math.max(0,c),d+=Math.max(0,-c)}if(s){t.timescale||(et.logger.warn("regenerate InitSegment as audio detected"),this.generateIS(t,e,n));var f,h=this.remuxAudio(t,u,a,o);if(l)h&&(f=h.endPTS-h.startPTS),e.timescale||(et.logger.warn("regenerate InitSegment as video detected"),this.generateIS(t,e,n)),this.remuxVideo(e,d,a,f,o)}else if(l){var p=this.remuxVideo(e,d,a,0,o);p&&t.codec&&this.remuxEmptyAudio(t,u,a,p)}}r.samples.length&&this.remuxID3(r,n),i.samples.length&&this.remuxText(i,n),this.observer.trigger(J.default.FRAG_PARSED)},e.generateIS=function(t,e,r){var i,n,a=this.observer,o=t.samples,s=e.samples,l=this.typeSupported,u="audio/mp4",d={},c={tracks:d},f=void 0===this._initPTS;if(f&&(i=n=1/0),t.config&&o.length&&(t.timescale=t.samplerate,et.logger.log("audio sampling rate : "+t.samplerate),t.isAAC||(l.mpeg?(u="audio/mpeg",t.codec=""):l.mp3&&(t.codec="mp3")),d.audio={container:u,codec:t.codec,initSegment:!t.isAAC&&l.mpeg?new Uint8Array:rt.initSegment([t]),metadata:{channelCount:t.channelCount}},f&&(i=n=o[0].pts-t.inputTimeScale*r)),e.sps&&e.pps&&s.length){var h=e.inputTimeScale;e.timescale=h,d.video={container:"video/mp4",codec:e.codec,initSegment:rt.initSegment([e]),metadata:{width:e.width,height:e.height}},f&&(i=Math.min(i,s[0].pts-h*r),n=Math.min(n,s[0].dts-h*r),this.observer.trigger(J.default.INIT_PTS_FOUND,{initPTS:i}))}Object.keys(d).length?(a.trigger(J.default.FRAG_PARSING_INIT_SEGMENT,c),this.ISGenerated=!0,f&&(this._initPTS=i,this._initDTS=n)):a.trigger(J.default.ERROR,{type:tt.ErrorTypes.MEDIA_ERROR,details:tt.ErrorDetails.FRAG_PARSING_ERROR,fatal:!1,reason:"no audio/video samples found"})},e.remuxVideo=function(t,e,r,i,n){var a,o,s,l,u,d,c,f=8,h=t.timescale,p=t.samples,g=[],m=p.length,v=this._PTSNormalize,y=this._initPTS,A=this.nextAvcDts,_=this.isSafari;if(0!==m){_&&(r|=p.length&&A&&(n&&Math.abs(e-A/h)<.1||Math.abs(p[0].pts-A-y)<h/5)),r||(A=e*h),p.forEach(function(t){t.pts=v(t.pts-y,A),t.dts=v(t.dts-y,A)}),p.sort(function(t,e){var r=t.dts-e.dts,i=t.pts-e.pts;return r||i||t.id-e.id});var b=p.reduce(function(t,e){return Math.max(Math.min(t,e.pts-e.dts),-1*nt)},0);if(b<0){et.logger.warn("PTS < DTS detected in video samples, shifting DTS by "+it(b,!0)+" ms to overcome this issue");for(var E=0;E<p.length;E++)p[E].dts+=b}var T=p[0];u=Math.max(T.dts,0),l=Math.max(T.pts,0);var S=u-A;r&&S&&(1<S?et.logger.log("AVC: "+it(S,!0)+" ms hole between fragments detected,filling it"):S<-1&&et.logger.log("AVC: "+it(-S,!0)+" ms overlapping between fragments detected"),u=A,p[0].dts=u,l=Math.max(l-S,A),p[0].pts=l,et.logger.log("Video: PTS/DTS adjusted: "+it(l,!0)+"/"+it(u,!0)+", delta: "+it(S,!0)+" ms")),T=p[p.length-1],c=Math.max(T.dts,0),d=Math.max(T.pts,0,c),_&&(a=Math.round((c-u)/(p.length-1)));for(var k=0,L=0,R=0;R<m;R++){for(var C=p[R],w=C.units,O=w.length,P=0,D=0;D<O;D++)P+=w[D].data.length;L+=P,k+=O,C.length=P,C.dts=_?u+R*a:Math.max(C.dts,u),C.pts=Math.max(C.pts,C.dts)}var I=L+4*k+8;try{o=new Uint8Array(I)}catch(t){return void this.observer.trigger(J.default.ERROR,{type:tt.ErrorTypes.MUX_ERROR,details:tt.ErrorDetails.REMUX_ALLOC_ERROR,fatal:!1,bytes:I,reason:"fail allocating video mdat "+I})}var x=new DataView(o.buffer);x.setUint32(0,I),o.set(rt.types.mdat,4);for(var M=0;M<m;M++){for(var N=p[M],F=N.units,B=0,U=void 0,j=0,K=F.length;j<K;j++){var V=F[j],G=V.data,Y=V.data.byteLength;x.setUint32(f,Y),f+=4,o.set(G,f),f+=Y,B+=4+Y}if(_)U=Math.max(0,a*Math.round((N.pts-N.dts)/a));else{if(M<m-1)a=p[M+1].dts-N.dts;else{var H=this.config,$=N.dts-p[0<M?M-1:M].dts;if(H.stretchShortVideoTrack){var z=H.maxBufferHole,W=Math.floor(z*h),q=(i?l+i*h:this.nextAudioPts)-N.pts;W<q?((a=q-$)<0&&(a=$),et.logger.log("It is approximately "+it(q,!1)+" ms to the next segment; using duration "+it(a,!1)+" ms for the last video frame.")):a=$}else a=$}U=Math.round(N.pts-N.dts)}g.push({size:B,duration:a,cts:U,flags:{isLeading:0,isDependedOn:0,hasRedundancy:0,degradPrio:0,dependsOn:N.key?2:1,isNonSync:N.key?0:1}})}this.nextAvcDts=c+a;var X=t.dropped;if(t.nbNalu=0,t.dropped=0,g.length&&-1<navigator.userAgent.toLowerCase().indexOf("chrome")){var Z=g[0].flags;Z.dependsOn=2,Z.isNonSync=0}t.samples=g,s=rt.moof(t.sequenceNumber++,u,t),t.samples=[];var Q={data1:s,data2:o,startPTS:l/h,endPTS:(d+a)/h,startDTS:u/h,endDTS:this.nextAvcDts/h,type:"video",hasAudio:!1,hasVideo:!0,nb:g.length,dropped:X};return this.observer.trigger(J.default.FRAG_PARSING_DATA,Q),Q}},e.remuxAudio=function(t,e,r,i){var n,a,o,s,l,u,d=t.inputTimeScale,c=t.timescale,f=d/c,h=(t.isAAC?1024:1152)*f,p=this._PTSNormalize,g=this._initPTS,m=!t.isAAC&&this.typeSupported.mpeg,v=m?0:8,y=t.samples,A=[],_=this.nextAudioPts;if(r|=y.length&&_&&(i&&Math.abs(e-_/d)<.1||Math.abs(y[0].pts-_-g)<20*h),y.forEach(function(t){t.pts=t.dts=p(t.pts-g,e*d)}),0!==(y=y.filter(function(t){return 0<=t.pts})).length){if(r||(_=i?e*d:y[0].pts),t.isAAC)for(var b=this.config.maxAudioFramesDrift,E=0,T=_;E<y.length;){var S,k=y[E];if((S=k.pts-T)<=-b*h)et.logger.warn("Dropping 1 audio frame @ "+it(T,!0)+" ms due to "+it(S,!0)+" ms overlap."),y.splice(E,1);else if(b*h<=S&&S<H&&T){var L=Math.round(S/h);et.logger.warn("Injecting "+L+" audio frames @ "+it(T,!0)+" ms due to "+it(T,!0)+" ms gap.");for(var R=0;R<L;R++){var C=Math.max(T,0);(a=Y.getSilentFrame(t.manifestCodec||t.codec,t.channelCount))||(et.logger.log("Unable to get silent frame for given audio codec; duplicating last frame instead."),a=k.unit.subarray()),y.splice(E,0,{unit:a,pts:C,dts:C}),T+=h,E++}k.pts=k.dts=T,T+=h,E++}else Math.abs(S),k.pts=k.dts=T,T+=h,E++}for(var w=y.length,O=0;w--;)O+=y[w].unit.byteLength;for(var P=0,D=y.length;P<D;P++){var I=y[P],x=I.unit,M=I.pts;if(void 0!==u)n.duration=Math.round((M-u)/f);else{var N=M-_,F=0;if(r&&t.isAAC&&N){if(0<N&&N<H)F=Math.round((M-_)/h),et.logger.log(it(N,!0)+" ms hole between AAC samples detected,filling it"),0<F&&((a=Y.getSilentFrame(t.manifestCodec||t.codec,t.channelCount))||(a=x.subarray()),O+=F*a.length);else if(N<-12){et.logger.log("drop overlapping AAC sample, expected/parsed/delta: "+it(_,!0)+" ms / "+it(M,!0)+" ms / "+it(-N,!0)+" ms"),O-=x.byteLength;continue}M=_}if(l=M,!(0<O))return;O+=v;try{o=new Uint8Array(O)}catch(t){return void this.observer.trigger(J.default.ERROR,{type:tt.ErrorTypes.MUX_ERROR,details:tt.ErrorDetails.REMUX_ALLOC_ERROR,fatal:!1,bytes:O,reason:"fail allocating audio mdat "+O})}m||(new DataView(o.buffer).setUint32(0,O),o.set(rt.types.mdat,4));for(var B=0;B<F;B++)(a=Y.getSilentFrame(t.manifestCodec||t.codec,t.channelCount))||(et.logger.log("Unable to get silent frame for given audio codec; duplicating this frame instead."),a=x.subarray()),o.set(a,v),v+=a.byteLength,n={size:a.byteLength,cts:0,duration:1024,flags:{isLeading:0,isDependedOn:0,hasRedundancy:0,degradPrio:0,dependsOn:1}},A.push(n)}o.set(x,v);var U=x.byteLength;v+=U,n={size:U,cts:0,duration:0,flags:{isLeading:0,isDependedOn:0,hasRedundancy:0,degradPrio:0,dependsOn:1}},A.push(n),u=M}var j=0;if(2<=(w=A.length)&&(j=A[w-2].duration,n.duration=j),w){this.nextAudioPts=_=u+f*j,t.samples=A,s=m?new Uint8Array:rt.moof(t.sequenceNumber++,l/f,t),t.samples=[];var K=l/d,V=_/d,G={data1:s,data2:o,startPTS:K,endPTS:V,startDTS:K,endDTS:V,type:"audio",hasAudio:!0,hasVideo:!1,nb:w};return this.observer.trigger(J.default.FRAG_PARSING_DATA,G),G}return null}},e.remuxEmptyAudio=function(t,e,r,i){var n=t.inputTimeScale,a=n/(t.samplerate?t.samplerate:n),o=this.nextAudioPts,s=(void 0!==o?o:i.startDTS*n)+this._initDTS,l=i.endDTS*n+this._initDTS,u=1024*a,d=Math.ceil((l-s)/u),c=Y.getSilentFrame(t.manifestCodec||t.codec,t.channelCount);if(et.logger.warn("remux empty Audio"),c){for(var f=[],h=0;h<d;h++){var p=s+h*u;f.push({unit:c,pts:p,dts:p})}t.samples=f,this.remuxAudio(t,e,r)}else et.logger.trace("Unable to remuxEmptyAudio since we were unable to get a silent frame for given audio codec!")},e.remuxID3=function(t){var e,r=t.samples.length,i=t.inputTimeScale,n=this._initPTS,a=this._initDTS;if(r){for(var o=0;o<r;o++)(e=t.samples[o]).pts=(e.pts-n)/i,e.dts=(e.dts-a)/i;this.observer.trigger(J.default.FRAG_PARSING_METADATA,{samples:t.samples})}t.samples=[]},e.remuxText=function(t){t.samples.sort(function(t,e){return t.pts-e.pts});var e,r=t.samples.length,i=t.inputTimeScale,n=this._initPTS;if(r){for(var a=0;a<r;a++)(e=t.samples[a]).pts=(e.pts-n)/i;this.observer.trigger(J.default.FRAG_PARSING_USERDATA,{samples:t.samples})}t.samples=[]},e._PTSNormalize=function(t,e){var r;if(void 0===e)return t;for(r=e<t?-8589934592:8589934592;4294967296<Math.abs(t-e);)t+=r;return t},t}(),O=function(){function t(t){this.observer=t}var e=t.prototype;return e.destroy=function(){},e.resetTimeStamp=function(){},e.resetInitSegment=function(){},e.remux=function(t,e,r,i,n,a,o,s){var l=this.observer,u="";t&&(u+="audio"),e&&(u+="video"),l.trigger(J.default.FRAG_PARSING_DATA,{data1:s,startPTS:n,startDTS:n,type:u,hasAudio:!!t,hasVideo:!!e,nb:1,dropped:0}),l.trigger(J.default.FRAG_PARSED)},t}(),h=Object(i.getSelfScope)();try{E=h.performance.now.bind(h.performance)}catch(t){et.logger.debug("Unable to use Performance API on this environment"),E=h.Date.now}var P=function(){function t(t,e,r,i){this.observer=t,this.typeSupported=e,this.config=r,this.vendor=i}var e=t.prototype;return e.destroy=function(){var t=this.demuxer;t&&t.destroy()},e.push=function(t,r,i,n,a,o,s,l,u,d,c,f){var h=this;if(0<t.byteLength&&null!=r&&null!=r.key&&"AES-128"===r.method){var e=this.decrypter;null==e&&(e=this.decrypter=new g.default(this.observer,this.config));var p=E();e.decrypt(t,r.key.buffer,r.iv.buffer,function(t){var e=E();h.observer.trigger(J.default.FRAG_DECRYPTED,{stats:{tstart:p,tdecrypt:e}}),h.pushDecrypted(new Uint8Array(t),r,new Uint8Array(i),n,a,o,s,l,u,d,c,f)})}else this.pushDecrypted(new Uint8Array(t),r,new Uint8Array(i),n,a,o,s,l,u,d,c,f)},e.pushDecrypted=function(t,e,r,i,n,a,o,s,l,u,d,c){var f=this.demuxer;if(!f||(o||s)&&!this.probe(t)){for(var h=this.observer,p=this.typeSupported,g=this.config,m=[{demux:k,remux:w},{demux:S.default,remux:O},{demux:T,remux:w},{demux:L,remux:w}],v=0,y=m.length;v<y;v++){var A=m[v],_=A.demux.probe;if(_(t)){var b=this.remuxer=new A.remux(h,g,p,this.vendor);f=new A.demux(h,b,g,p),this.probe=_;break}}if(!f)return void h.trigger(J.default.ERROR,{type:tt.ErrorTypes.MEDIA_ERROR,details:tt.ErrorDetails.FRAG_PARSING_ERROR,fatal:!0,reason:"no demux matching with content found"});this.demuxer=f}var E=this.remuxer;(o||s)&&(f.resetInitSegment(r,i,n,u),E.resetInitSegment()),o&&(f.resetTimeStamp(c),E.resetTimeStamp(c)),"function"==typeof f.setDecryptData&&f.setDecryptData(e),f.append(t,a,l,d)},t}();e.default=P},"./src/demux/demuxer-worker.js":function(t,e,r){"use strict";r.r(e);var o=r("./src/demux/demuxer-inline.js"),s=r("./src/events.js"),l=r("./src/utils/logger.js"),u=r("./node_modules/eventemitter3/index.js");e.default=function(n){var a=new u.EventEmitter;a.trigger=function(t){for(var e=arguments.length,r=new Array(1<e?e-1:0),i=1;i<e;i++)r[i-1]=arguments[i];a.emit.apply(a,[t,t].concat(r))},a.off=function(t){for(var e=arguments.length,r=new Array(1<e?e-1:0),i=1;i<e;i++)r[i-1]=arguments[i];a.removeListener.apply(a,[t].concat(r))};function i(t,e){n.postMessage({event:t,data:e})}n.addEventListener("message",function(t){var e=t.data;switch(e.cmd){case"init":var r=JSON.parse(e.config);n.demuxer=new o.default(a,e.typeSupported,r,e.vendor),Object(l.enableLogs)(r.debug),i("init",null);break;case"demux":n.demuxer.push(e.data,e.decryptdata,e.initSegment,e.audioCodec,e.videoCodec,e.timeOffset,e.discontinuity,e.trackSwitch,e.contiguous,e.duration,e.accurateTimeOffset,e.defaultInitPTS)}}),a.on(s.default.FRAG_DECRYPTED,i),a.on(s.default.FRAG_PARSING_INIT_SEGMENT,i),a.on(s.default.FRAG_PARSED,i),a.on(s.default.ERROR,i),a.on(s.default.FRAG_PARSING_METADATA,i),a.on(s.default.FRAG_PARSING_USERDATA,i),a.on(s.default.INIT_PTS_FOUND,i),a.on(s.default.FRAG_PARSING_DATA,function(t,e){var r=[],i={event:t,data:e};e.data1&&(i.data1=e.data1.buffer,r.push(e.data1.buffer),delete e.data1),e.data2&&(i.data2=e.data2.buffer,r.push(e.data2.buffer),delete e.data2),n.postMessage(i,r)})}},"./src/demux/id3.js":function(t,e,r){"use strict";r.r(e),r.d(e,"utf8ArrayToStr",function(){return n});var c,f=r("./src/utils/get-self-scope.js"),i=function(){function s(){}return s.isHeader=function(t,e){return e+10<=t.length&&73===t[e]&&68===t[e+1]&&51===t[e+2]&&t[e+3]<255&&t[e+4]<255&&t[e+6]<128&&t[e+7]<128&&t[e+8]<128&&t[e+9]<128},s.isFooter=function(t,e){return e+10<=t.length&&51===t[e]&&68===t[e+1]&&73===t[e+2]&&t[e+3]<255&&t[e+4]<255&&t[e+6]<128&&t[e+7]<128&&t[e+8]<128&&t[e+9]<128},s.getID3Data=function(t,e){for(var r=e,i=0;s.isHeader(t,e);){i+=10,i+=s._readSize(t,e+6),s.isFooter(t,e+10)&&(i+=10),e+=i}if(0<i)return t.subarray(r,r+i)},s._readSize=function(t,e){var r=0;return r=(127&t[e])<<21,r|=(127&t[e+1])<<14,r|=(127&t[e+2])<<7,r|=127&t[e+3]},s.getTimeStamp=function(t){for(var e=s.getID3Frames(t),r=0;r<e.length;r++){var i=e[r];if(s.isTimeStampFrame(i))return s._readTimeStamp(i)}},s.isTimeStampFrame=function(t){return t&&"PRIV"===t.key&&"com.apple.streaming.transportStreamTimestamp"===t.info},s._getFrameData=function(t){var e=String.fromCharCode(t[0],t[1],t[2],t[3]),r=s._readSize(t,4);return{type:e,size:r,data:t.subarray(10,10+r)}},s.getID3Frames=function(t){for(var e=0,r=[];s.isHeader(t,e);){for(var i=s._readSize(t,e+6),n=(e+=10)+i;e+8<n;){var a=s._getFrameData(t.subarray(e)),o=s._decodeFrame(a);o&&r.push(o),e+=a.size+10}s.isFooter(t,e)&&(e+=10)}return r},s._decodeFrame=function(t){return"PRIV"===t.type?s._decodePrivFrame(t):"T"===t.type[0]?s._decodeTextFrame(t):"W"===t.type[0]?s._decodeURLFrame(t):void 0},s._readTimeStamp=function(t){if(8===t.data.byteLength){var e=new Uint8Array(t.data),r=1&e[3],i=(e[4]<<23)+(e[5]<<15)+(e[6]<<7)+e[7];return i/=45,r&&(i+=47721858.84),Math.round(i)}},s._decodePrivFrame=function(t){if(!(t.size<2)){var e=s._utf8ArrayToStr(t.data,!0),r=new Uint8Array(t.data.subarray(e.length+1));return{key:t.type,info:e,data:r.buffer}}},s._decodeTextFrame=function(t){if(!(t.size<2)){if("TXXX"===t.type){var e=1,r=s._utf8ArrayToStr(t.data.subarray(e),!0);e+=r.length+1;var i=s._utf8ArrayToStr(t.data.subarray(e));return{key:t.type,info:r,data:i}}var n=s._utf8ArrayToStr(t.data.subarray(1));return{key:t.type,data:n}}},s._decodeURLFrame=function(t){if("WXXX"===t.type){if(t.size<2)return;var e=1,r=s._utf8ArrayToStr(t.data.subarray(e));e+=r.length+1;var i=s._utf8ArrayToStr(t.data.subarray(e));return{key:t.type,info:r,data:i}}var n=s._utf8ArrayToStr(t.data);return{key:t.type,data:n}},s._utf8ArrayToStr=function(t,e){void 0===e&&(e=!1);var r=function(){var t=Object(f.getSelfScope)();c||void 0===t.TextDecoder||(c=new t.TextDecoder("utf-8"));return c}();if(r){var i=r.decode(t);if(e){var n=i.indexOf("\0");return-1!==n?i.substring(0,n):i}return i.replace(/\0/g,"")}for(var a,o,s,l=t.length,u="",d=0;d<l;){if(0===(a=t[d++])&&e)return u;if(0!==a&&3!==a)switch(a>>4){case 0:case 1:case 2:case 3:case 4:case 5:case 6:case 7:u+=String.fromCharCode(a);break;case 12:case 13:o=t[d++],u+=String.fromCharCode((31&a)<<6|63&o);break;case 14:o=t[d++],s=t[d++],u+=String.fromCharCode((15&a)<<12|(63&o)<<6|(63&s)<<0)}}return u},s}();var n=i._utf8ArrayToStr;e.default=i},"./src/demux/mp4demuxer.js":function(t,e,r){"use strict";r.r(e);var f=r("./src/utils/logger.js"),l=r("./src/events.js"),s=Math.pow(2,32)-1,i=function(){function g(t,e){this.observer=t,this.remuxer=e}var t=g.prototype;return t.resetTimeStamp=function(t){this.initPTS=t},t.resetInitSegment=function(t,e,r,i){if(t&&t.byteLength){var n=this.initData=g.parseInitSegment(t);null==e&&(e="mp4a.40.5"),null==r&&(r="avc1.42e01e");var a={};n.audio&&n.video?a.audiovideo={container:"video/mp4",codec:e+","+r,initSegment:i?t:null}:(n.audio&&(a.audio={container:"audio/mp4",codec:e,initSegment:i?t:null}),n.video&&(a.video={container:"video/mp4",codec:r,initSegment:i?t:null})),this.observer.trigger(l.default.FRAG_PARSING_INIT_SEGMENT,{tracks:a})}else e&&(this.audioCodec=e),r&&(this.videoCodec=r)},g.probe=function(t){return 0<g.findBox({data:t,start:0,end:Math.min(t.length,16384)},["moof"]).length},g.bin2str=function(t){return String.fromCharCode.apply(null,t)},g.readUint16=function(t,e){t.data&&(e+=t.start,t=t.data);var r=t[e]<<8|t[e+1];return r<0?65536+r:r},g.readUint32=function(t,e){t.data&&(e+=t.start,t=t.data);var r=t[e]<<24|t[e+1]<<16|t[e+2]<<8|t[e+3];return r<0?4294967296+r:r},g.writeUint32=function(t,e,r){t.data&&(e+=t.start,t=t.data),t[e]=r>>24,t[e+1]=r>>16&255,t[e+2]=r>>8&255,t[e+3]=255&r},g.findBox=function(t,e){var r,i,n,a,o,s,l=[];if(t.data?(o=t.start,n=t.end,t=t.data):(o=0,n=t.byteLength),!e.length)return null;for(r=o;r<n;)s=1<(i=g.readUint32(t,r))?r+i:n,g.bin2str(t.subarray(r+4,r+8))===e[0]&&(1===e.length?l.push({data:t,start:r+8,end:s}):(a=g.findBox({data:t,start:r+8,end:s},e.slice(1))).length&&(l=l.concat(a))),r=s;return l},g.parseSegmentIndex=function(t){var e,r=g.findBox(t,["moov"])[0],i=r?r.end:null,n=0,a=g.findBox(t,["sidx"]);if(!a||!a[0])return null;e=[];var o=(a=a[0]).data[0],s=g.readUint32(a,n=0===o?8:16);n+=4;n+=0===o?8:16,n+=2;var l=a.end+0,u=g.readUint16(a,n);n+=2;for(var d=0;d<u;d++){var c=n,f=g.readUint32(a,c);c+=4;var h=2147483647&f;if(1==(2147483648&f)>>>31)return void console.warn("SIDX has hierarchical references (not supported)");var p=g.readUint32(a,c);c+=4,e.push({referenceSize:h,subsegmentDuration:p,info:{duration:p/s,start:l,end:l+h-1}}),l+=h,n=c+=4}return{earliestPresentationTime:0,timescale:s,version:o,referencesCount:u,references:e,moovEndOffset:i}},g.parseInitSegment=function(t){var c=[];return g.findBox(t,["moov","trak"]).forEach(function(t){var e=g.findBox(t,["tkhd"])[0];if(e){var r=e.data[e.start],i=0===r?12:20,n=g.readUint32(e,i),a=g.findBox(t,["mdia","mdhd"])[0];if(a){r=a.data[a.start];var o=g.readUint32(a,i=0===r?12:20),s=g.findBox(t,["mdia","hdlr"])[0];if(s){var l={soun:"audio",vide:"video"}[g.bin2str(s.data.subarray(s.start+8,s.start+12))];if(l){var u=g.findBox(t,["mdia","minf","stbl","stsd"]);if(u.length){u=u[0];var d=g.bin2str(u.data.subarray(u.start+12,u.start+16));f.logger.log("MP4Demuxer:"+l+":"+d+" found")}c[n]={timescale:o,type:l},c[l]={timescale:o,id:n}}}}}}),c},g.getStartDTS=function(n,t){var e,r,i;return e=g.findBox(t,["moof","traf"]),r=[].concat.apply([],e.map(function(i){return g.findBox(i,["tfhd"]).map(function(t){var e,r;return e=g.readUint32(t,4),r=n[e].timescale||9e4,g.findBox(i,["tfdt"]).map(function(t){var e,r;return e=t.data[t.start],r=g.readUint32(t,4),1===e&&(r*=Math.pow(2,32),r+=g.readUint32(t,8)),r})[0]/r})})),i=Math.min.apply(null,r),isFinite(i)?i:0},g.offsetStartDTS=function(i,t,o){g.findBox(t,["moof","traf"]).map(function(r){return g.findBox(r,["tfhd"]).map(function(t){var e=g.readUint32(t,4),a=i[e].timescale||9e4;g.findBox(r,["tfdt"]).map(function(t){var e=t.data[t.start],r=g.readUint32(t,4);if(0===e)g.writeUint32(t,4,r-o*a);else{r*=Math.pow(2,32),r+=g.readUint32(t,8),r-=o*a,r=Math.max(r,0);var i=Math.floor(r/(1+s)),n=Math.floor(r%(1+s));g.writeUint32(t,4,i),g.writeUint32(t,8,n)}})})})},t.append=function(t,e,r,i){var n=this.initData;n||(this.resetInitSegment(t,this.audioCodec,this.videoCodec,!1),n=this.initData);var a,o=this.initPTS;if(void 0===o){var s=g.getStartDTS(n,t);this.initPTS=o=s-e,this.observer.trigger(l.default.INIT_PTS_FOUND,{initPTS:o})}g.offsetStartDTS(n,t,o),a=g.getStartDTS(n,t),this.remuxer.remux(n.audio,n.video,null,null,a,r,i,t)},t.destroy=function(){},g}();e.default=i},"./src/errors.ts":function(t,e,r){"use strict";var i,n,a,o;r.r(e),r.d(e,"ErrorTypes",function(){return i}),r.d(e,"ErrorDetails",function(){return a}),(n=i||(i={})).NETWORK_ERROR="networkError",n.MEDIA_ERROR="mediaError",n.KEY_SYSTEM_ERROR="keySystemError",n.MUX_ERROR="muxError",n.OTHER_ERROR="otherError",(o=a||(a={})).KEY_SYSTEM_NO_KEYS="keySystemNoKeys",o.KEY_SYSTEM_NO_ACCESS="keySystemNoAccess",o.KEY_SYSTEM_NO_SESSION="keySystemNoSession",o.KEY_SYSTEM_LICENSE_REQUEST_FAILED="keySystemLicenseRequestFailed",o.KEY_SYSTEM_NO_INIT_DATA="keySystemNoInitData",o.MANIFEST_LOAD_ERROR="manifestLoadError",o.MANIFEST_LOAD_TIMEOUT="manifestLoadTimeOut",o.MANIFEST_PARSING_ERROR="manifestParsingError",o.MANIFEST_INCOMPATIBLE_CODECS_ERROR="manifestIncompatibleCodecsError",o.LEVEL_LOAD_ERROR="levelLoadError",o.LEVEL_LOAD_TIMEOUT="levelLoadTimeOut",o.LEVEL_SWITCH_ERROR="levelSwitchError",o.AUDIO_TRACK_LOAD_ERROR="audioTrackLoadError",o.AUDIO_TRACK_LOAD_TIMEOUT="audioTrackLoadTimeOut",o.FRAG_LOAD_ERROR="fragLoadError",o.FRAG_LOAD_TIMEOUT="fragLoadTimeOut",o.FRAG_DECRYPT_ERROR="fragDecryptError",o.FRAG_PARSING_ERROR="fragParsingError",o.REMUX_ALLOC_ERROR="remuxAllocError",o.KEY_LOAD_ERROR="keyLoadError",o.KEY_LOAD_TIMEOUT="keyLoadTimeOut",o.BUFFER_ADD_CODEC_ERROR="bufferAddCodecError",o.BUFFER_APPEND_ERROR="bufferAppendError",o.BUFFER_APPENDING_ERROR="bufferAppendingError",o.BUFFER_STALLED_ERROR="bufferStalledError",o.BUFFER_FULL_ERROR="bufferFullError",o.BUFFER_SEEK_OVER_HOLE="bufferSeekOverHole",o.BUFFER_NUDGE_ON_STALL="bufferNudgeOnStall",o.INTERNAL_EXCEPTION="internalException"},"./src/events.js":function(t,e,r){"use strict";r.r(e);e.default={MEDIA_ATTACHING:"hlsMediaAttaching",MEDIA_ATTACHED:"hlsMediaAttached",MEDIA_DETACHING:"hlsMediaDetaching",MEDIA_DETACHED:"hlsMediaDetached",BUFFER_RESET:"hlsBufferReset",BUFFER_CODECS:"hlsBufferCodecs",BUFFER_CREATED:"hlsBufferCreated",BUFFER_APPENDING:"hlsBufferAppending",BUFFER_APPENDED:"hlsBufferAppended",BUFFER_EOS:"hlsBufferEos",BUFFER_FLUSHING:"hlsBufferFlushing",BUFFER_FLUSHED:"hlsBufferFlushed",MANIFEST_LOADING:"hlsManifestLoading",MANIFEST_LOADED:"hlsManifestLoaded",MANIFEST_PARSED:"hlsManifestParsed",LEVEL_SWITCHING:"hlsLevelSwitching",LEVEL_SWITCHED:"hlsLevelSwitched",LEVEL_LOADING:"hlsLevelLoading",LEVEL_LOADED:"hlsLevelLoaded",LEVEL_UPDATED:"hlsLevelUpdated",LEVEL_PTS_UPDATED:"hlsLevelPtsUpdated",AUDIO_TRACKS_UPDATED:"hlsAudioTracksUpdated",AUDIO_TRACK_SWITCHING:"hlsAudioTrackSwitching",AUDIO_TRACK_SWITCHED:"hlsAudioTrackSwitched",AUDIO_TRACK_LOADING:"hlsAudioTrackLoading",AUDIO_TRACK_LOADED:"hlsAudioTrackLoaded",SUBTITLE_TRACKS_UPDATED:"hlsSubtitleTracksUpdated",SUBTITLE_TRACK_SWITCH:"hlsSubtitleTrackSwitch",SUBTITLE_TRACK_LOADING:"hlsSubtitleTrackLoading",SUBTITLE_TRACK_LOADED:"hlsSubtitleTrackLoaded",SUBTITLE_FRAG_PROCESSED:"hlsSubtitleFragProcessed",INIT_PTS_FOUND:"hlsInitPtsFound",FRAG_LOADING:"hlsFragLoading",FRAG_LOAD_PROGRESS:"hlsFragLoadProgress",FRAG_LOAD_EMERGENCY_ABORTED:"hlsFragLoadEmergencyAborted",FRAG_LOADED:"hlsFragLoaded",FRAG_DECRYPTED:"hlsFragDecrypted",FRAG_PARSING_INIT_SEGMENT:"hlsFragParsingInitSegment",FRAG_PARSING_USERDATA:"hlsFragParsingUserdata",FRAG_PARSING_METADATA:"hlsFragParsingMetadata",FRAG_PARSING_DATA:"hlsFragParsingData",FRAG_PARSED:"hlsFragParsed",FRAG_BUFFERED:"hlsFragBuffered",FRAG_CHANGED:"hlsFragChanged",FPS_DROP:"hlsFpsDrop",FPS_DROP_LEVEL_CAPPING:"hlsFpsDropLevelCapping",ERROR:"hlsError",DESTROYING:"hlsDestroying",KEY_LOADING:"hlsKeyLoading",KEY_LOADED:"hlsKeyLoaded",STREAM_STATE_TRANSITION:"hlsStreamStateTransition",LIVE_BACK_BUFFER_REACHED:"hlsLiveBackBufferReached"}},"./src/hls.ts":function(t,e,r){"use strict";r.r(e);var i={};r.r(i),r.d(i,"newCue",function(){return ve});var m,n,a,o,s=r("./node_modules/url-toolkit/src/url-toolkit.js"),f=r("./src/errors.ts"),I=r("./src/polyfills/number-isFinite.js"),x=r("./src/events.js"),M=r("./src/utils/logger.js"),l={hlsEventGeneric:!0,hlsHandlerDestroying:!0,hlsHandlerDestroyed:!0},u=function(){function t(t){this.hls=void 0,this.handledEvents=void 0,this.useGenericHandler=void 0,this.hls=t,this.onEvent=this.onEvent.bind(this);for(var e=arguments.length,r=new Array(1<e?e-1:0),i=1;i<e;i++)r[i-1]=arguments[i];this.handledEvents=r,this.useGenericHandler=!0,this.registerListeners()}var e=t.prototype;return e.destroy=function(){this.onHandlerDestroying(),this.unregisterListeners(),this.onHandlerDestroyed()},e.onHandlerDestroying=function(){},e.onHandlerDestroyed=function(){},e.isEventHandler=function(){return"object"==typeof this.handledEvents&&this.handledEvents.length&&"function"==typeof this.onEvent},e.registerListeners=function(){this.isEventHandler()&&this.handledEvents.forEach(function(t){if(l[t])throw new Error("Forbidden event-name: "+t);this.hls.on(t,this.onEvent)},this)},e.unregisterListeners=function(){this.isEventHandler()&&this.handledEvents.forEach(function(t){this.hls.off(t,this.onEvent)},this)},e.onEvent=function(t,e){this.onEventGeneric(t,e)},e.onEventGeneric=function(e,t){try{(function(t,e){var r="on"+t.replace("hls","");if("function"!=typeof this[r])throw new Error("Event "+t+" has no generic handler in this "+this.constructor.name+" class (tried "+r+")");return this[r].bind(this,e)}).call(this,e,t).call()}catch(t){M.logger.error("An internal error happened while handling event "+e+'. Error message: "'+t.message+'". Here is a stacktrace:',t),this.hls.trigger(x.default.ERROR,{type:f.ErrorTypes.OTHER_ERROR,details:f.ErrorDetails.INTERNAL_EXCEPTION,fatal:!1,event:e,err:t})}},t}();(n=m||(m={})).MANIFEST="manifest",n.LEVEL="level",n.AUDIO_TRACK="audioTrack",n.SUBTITLE_TRACK="subtitleTrack",(o=a||(a={})).MAIN="main",o.AUDIO="audio",o.SUBTITLE="subtitle";var d=r("./src/demux/mp4demuxer.js");function c(t,e){for(var r=0;r<e.length;r++){var i=e[r];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}var h,p,R=function(){function t(t,e){this._uri=null,this.baseuri=void 0,this.reluri=void 0,this.method=null,this.key=null,this.iv=null,this.baseuri=t,this.reluri=e}return function(t,e,r){e&&c(t.prototype,e),r&&c(t,r)}(t,[{key:"uri",get:function(){return!this._uri&&this.reluri&&(this._uri=Object(s.buildAbsoluteURL)(this.baseuri,this.reluri,{alwaysNormalize:!0})),this._uri}}]),t}();function g(t,e){for(var r=0;r<e.length;r++){var i=e[r];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}(p=h||(h={})).AUDIO="audio",p.VIDEO="video";var C=function(){function t(){var t;this._url=null,this._byteRange=null,this._decryptdata=null,this._elementaryStreams=((t={})[h.AUDIO]=!1,t[h.VIDEO]=!1,t),this.deltaPTS=0,this.rawProgramDateTime=null,this.programDateTime=null,this.title=null,this.tagList=[],this.cc=void 0,this.type=void 0,this.relurl=void 0,this.baseurl=void 0,this.duration=void 0,this.start=void 0,this.sn=0,this.urlId=0,this.level=0,this.levelkey=void 0,this.loader=void 0}var e=t.prototype;return e.setByteRange=function(t,e){var r=t.split("@",2),i=[];1===r.length?i[0]=e?e.byteRangeEndOffset:0:i[0]=parseInt(r[1]),i[1]=parseInt(r[0])+i[0],this._byteRange=i},e.addElementaryStream=function(t){this._elementaryStreams[t]=!0},e.hasElementaryStream=function(t){return!0===this._elementaryStreams[t]},e.createInitializationVector=function(t){for(var e=new Uint8Array(16),r=12;r<16;r++)e[r]=t>>8*(15-r)&255;return e},e.setDecryptDataFromLevelKey=function(t,e){var r=t;return t&&t.method&&t.uri&&!t.iv&&((r=new R(t.baseuri,t.reluri)).method=t.method,r.iv=this.createInitializationVector(e)),r},function(t,e,r){e&&g(t.prototype,e),r&&g(t,r)}(t,[{key:"url",get:function(){return!this._url&&this.relurl&&(this._url=Object(s.buildAbsoluteURL)(this.baseurl,this.relurl,{alwaysNormalize:!0})),this._url},set:function(t){this._url=t}},{key:"byteRange",get:function(){return this._byteRange?this._byteRange:[]}},{key:"byteRangeStartOffset",get:function(){return this.byteRange[0]}},{key:"byteRangeEndOffset",get:function(){return this.byteRange[1]}},{key:"decryptdata",get:function(){if(!this.levelkey&&!this._decryptdata)return null;if(!this._decryptdata&&this.levelkey){var t=this.sn;"number"!=typeof t&&(this.levelkey&&"AES-128"===this.levelkey.method&&!this.levelkey.iv&&M.logger.warn('missing IV for initialization segment with method="'+this.levelkey.method+'" - compliance issue'),t=0),this._decryptdata=this.setDecryptDataFromLevelKey(this.levelkey,t)}return this._decryptdata}},{key:"endProgramDateTime",get:function(){if(null===this.programDateTime)return null;if(!Object(I.isFiniteNumber)(this.programDateTime))return null;var t=Object(I.isFiniteNumber)(this.duration)?this.duration:0;return this.programDateTime+1e3*t}},{key:"encrypted",get:function(){return!(!this.decryptdata||null===this.decryptdata.uri||null!==this.decryptdata.key)}}]),t}();function v(t,e){for(var r=0;r<e.length;r++){var i=e[r];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}var w=function(){function t(t){this.endCC=0,this.endSN=0,this.fragments=[],this.initSegment=null,this.live=!0,this.needSidxRanges=!1,this.startCC=0,this.startSN=0,this.startTimeOffset=null,this.targetduration=0,this.totalduration=0,this.type=null,this.url=t,this.version=null}return function(t,e,r){e&&v(t.prototype,e),r&&v(t,r)}(t,[{key:"hasProgramDateTime",get:function(){return!(!this.fragments[0]||!Object(I.isFiniteNumber)(this.fragments[0].programDateTime))}}]),t}(),y=/^(\d+)x(\d+)$/,A=/\s*(.+?)\s*=((?:\".*?\")|.*?)(?:,|$)/g,O=function(){function r(t){for(var e in"string"==typeof t&&(t=r.parseAttrList(t)),t)t.hasOwnProperty(e)&&(this[e]=t[e])}var t=r.prototype;return t.decimalInteger=function(t){var e=parseInt(this[t],10);return e>Number.MAX_SAFE_INTEGER?1/0:e},t.hexadecimalInteger=function(t){if(this[t]){var e=(this[t]||"0x").slice(2);e=(1&e.length?"0":"")+e;for(var r=new Uint8Array(e.length/2),i=0;i<e.length/2;i++)r[i]=parseInt(e.slice(2*i,2*i+2),16);return r}return null},t.hexadecimalIntegerAsNumber=function(t){var e=parseInt(this[t],16);return e>Number.MAX_SAFE_INTEGER?1/0:e},t.decimalFloatingPoint=function(t){return parseFloat(this[t])},t.enumeratedString=function(t){return this[t]},t.decimalResolution=function(t){var e=y.exec(this[t]);if(null!==e)return{width:parseInt(e[1],10),height:parseInt(e[2],10)}},r.parseAttrList=function(t){var e,r={};for(A.lastIndex=0;null!==(e=A.exec(t));){var i=e[2];0===i.indexOf('"')&&i.lastIndexOf('"')===i.length-1&&(i=i.slice(1,-1)),r[e[1]]=i}return r},r}(),_={audio:{a3ds:!0,"ac-3":!0,"ac-4":!0,alac:!0,alaw:!0,dra1:!0,"dts+":!0,"dts-":!0,dtsc:!0,dtse:!0,dtsh:!0,"ec-3":!0,enca:!0,g719:!0,g726:!0,m4ae:!0,mha1:!0,mha2:!0,mhm1:!0,mhm2:!0,mlpa:!0,mp4a:!0,"raw ":!0,Opus:!0,samr:!0,sawb:!0,sawp:!0,sevc:!0,sqcp:!0,ssmv:!0,twos:!0,ulaw:!0},video:{avc1:!0,avc2:!0,avc3:!0,avc4:!0,avcp:!0,drac:!0,dvav:!0,dvhe:!0,encv:!0,hev1:!0,hvc1:!0,mjp2:!0,mp4v:!0,mvc1:!0,mvc2:!0,mvc3:!0,mvc4:!0,resv:!0,rv60:!0,s263:!0,svc1:!0,svc2:!0,"vc-1":!0,vp08:!0,vp09:!0}};function b(t,e){return MediaSource.isTypeSupported((e||"video")+'/mp4;codecs="'+t+'"')}var E=/#EXT-X-STREAM-INF:([^\n\r]*)[\r\n]+([^\r\n]+)/g,T=/#EXT-X-MEDIA:(.*)/g,P=new RegExp([/#EXTINF:\s*(\d*(?:\.\d+)?)(?:,(.*)\s+)?/.source,/|(?!#)([\S+ ?]+)/.source,/|#EXT-X-BYTERANGE:*(.+)/.source,/|#EXT-X-PROGRAM-DATE-TIME:(.+)/.source,/|#.*/.source].join(""),"g"),D=/(?:(?:#(EXTM3U))|(?:#EXT-X-(PLAYLIST-TYPE):(.+))|(?:#EXT-X-(MEDIA-SEQUENCE): *(\d+))|(?:#EXT-X-(TARGETDURATION): *(\d+))|(?:#EXT-X-(KEY):(.+))|(?:#EXT-X-(START):(.+))|(?:#EXT-X-(ENDLIST))|(?:#EXT-X-(DISCONTINUITY-SEQ)UENCE:(\d+))|(?:#EXT-X-(DIS)CONTINUITY))|(?:#EXT-X-(VERSION):(\d+))|(?:#EXT-X-(MAP):(.+))|(?:(#)([^:]*):(.*))|(?:(#)(.*))(?:.*)\r?\n?/,N=/\.(mp4|m4s|m4v|m4a)$/i,S=function(){function d(){}return d.findGroup=function(t,e){for(var r=0;r<t.length;r++){var i=t[r];if(i.id===e)return i}},d.convertAVC1ToAVCOTI=function(t){var e,r=t.split(".");return 2<r.length?(e=r.shift()+".",e+=parseInt(r.shift()).toString(16),e+=("000"+parseInt(r.shift()).toString(16)).substr(-4)):e=t,e},d.resolve=function(t,e){return s.buildAbsoluteURL(e,t,{alwaysNormalize:!0})},d.parseMasterPlaylist=function(t,e){var r,i=[];function n(i,n){["video","audio"].forEach(function(e){var r=i.filter(function(t){return function(t,e){var r=_[e];return!!r&&!0===r[t.slice(0,4)]}(t,e)});if(r.length){var t=r.filter(function(t){return 0===t.lastIndexOf("avc1",0)||0===t.lastIndexOf("mp4a",0)});n[e+"Codec"]=0<t.length?t[0]:r[0],i=i.filter(function(t){return-1===r.indexOf(t)})}}),n.unknownCodecs=i}for(E.lastIndex=0;null!=(r=E.exec(t));){var a={},o=a.attrs=new O(r[1]);a.url=d.resolve(r[2],e);var s=o.decimalResolution("RESOLUTION");s&&(a.width=s.width,a.height=s.height),a.bitrate=o.decimalInteger("AVERAGE-BANDWIDTH")||o.decimalInteger("BANDWIDTH"),a.name=o.NAME,n([].concat((o.CODECS||"").split(/[ ,]+/)),a),a.videoCodec&&-1!==a.videoCodec.indexOf("avc1")&&(a.videoCodec=d.convertAVC1ToAVCOTI(a.videoCodec)),i.push(a)}return i},d.parseMasterPlaylistMedia=function(t,e,r,i){var n;void 0===i&&(i=[]);var a=[],o=0;for(T.lastIndex=0;null!==(n=T.exec(t));){var s=new O(n[1]);if(s.TYPE===r){var l={id:o++,groupId:s["GROUP-ID"],name:s.NAME||s.LANGUAGE,type:r,default:"YES"===s.DEFAULT,autoselect:"YES"===s.AUTOSELECT,forced:"YES"===s.FORCED,lang:s.LANGUAGE};if(s.URI&&(l.url=d.resolve(s.URI,e)),i.length){var u=d.findGroup(i,l.groupId);l.audioCodec=u?u.codec:i[0].codec}a.push(l)}}return a},d.parseLevelPlaylist=function(t,e,r,i,n){var a,o,s,l=0,u=0,d=new w(e),c=0,f=null,h=new C,p=null;for(P.lastIndex=0;null!==(a=P.exec(t));){var g=a[1];if(g){h.duration=parseFloat(g);var m=(" "+a[2]).slice(1);h.title=m||null,h.tagList.push(m?["INF",g,m]:["INF",g])}else if(a[3]){if(Object(I.isFiniteNumber)(h.duration)){var v=l++;h.type=i,h.start=u,s&&(h.levelkey=s),h.sn=v,h.level=r,h.cc=c,h.urlId=n,h.baseurl=e,h.relurl=(" "+a[3]).slice(1),F(h,f),d.fragments.push(h),u+=(f=h).duration,h=new C}}else if(a[4]){var y=(" "+a[4]).slice(1);f?h.setByteRange(y,f):h.setByteRange(y)}else if(a[5])h.rawProgramDateTime=(" "+a[5]).slice(1),h.tagList.push(["PROGRAM-DATE-TIME",h.rawProgramDateTime]),null===p&&(p=d.fragments.length);else{if(!(a=a[0].match(D))){M.logger.warn("No matches on slow regex match for level playlist!");continue}for(o=1;o<a.length&&void 0===a[o];o++);var A=(" "+a[o+1]).slice(1),_=(" "+a[o+2]).slice(1);switch(a[o]){case"#":h.tagList.push(_?[A,_]:[A]);break;case"PLAYLIST-TYPE":d.type=A.toUpperCase();break;case"MEDIA-SEQUENCE":l=d.startSN=parseInt(A);break;case"TARGETDURATION":d.targetduration=parseFloat(A);break;case"VERSION":d.version=parseInt(A);break;case"EXTM3U":break;case"ENDLIST":d.live=!1;break;case"DIS":c++,h.tagList.push(["DIS"]);break;case"DISCONTINUITY-SEQ":c=parseInt(A);break;case"KEY":var b=new O(A),E=b.enumeratedString("METHOD"),T=b.URI,S=b.hexadecimalInteger("IV");E&&(s=new R(e,T),T&&0<=["AES-128","SAMPLE-AES","SAMPLE-AES-CENC"].indexOf(E)&&(s.method=E,s.key=null,s.iv=S));break;case"START":var k=new O(A).decimalFloatingPoint("TIME-OFFSET");Object(I.isFiniteNumber)(k)&&(d.startTimeOffset=k);break;case"MAP":var L=new O(A);h.relurl=L.URI,L.BYTERANGE&&h.setByteRange(L.BYTERANGE),h.baseurl=e,h.level=r,h.type=i,h.sn="initSegment",d.initSegment=h,(h=new C).rawProgramDateTime=d.initSegment.rawProgramDateTime;break;default:M.logger.warn("line parsed but not handled: "+a)}}}return(h=f)&&!h.relurl&&(d.fragments.pop(),u-=h.duration),d.totalduration=u,d.averagetargetduration=u/d.fragments.length,d.endSN=l-1,d.startCC=d.fragments[0]?d.fragments[0].cc:0,d.endCC=c,!d.initSegment&&d.fragments.length&&d.fragments.every(function(t){return N.test(t.relurl)})&&(M.logger.warn("MP4 fragments found but no init segment (probably no MAP, incomplete M3U8), trying to fetch SIDX"),(h=new C).relurl=d.fragments[0].relurl,h.baseurl=e,h.level=r,h.type=i,h.sn="initSegment",d.initSegment=h,d.needSidxRanges=!0),p&&function(t,e){for(var r=t[e],i=e-1;0<=i;i--){var n=t[i];n.programDateTime=r.programDateTime-1e3*n.duration,r=n}}(d.fragments,p),d},d}();function F(t,e){t.rawProgramDateTime?t.programDateTime=Date.parse(t.rawProgramDateTime):e&&e.programDateTime&&(t.programDateTime=e.endProgramDateTime),Object(I.isFiniteNumber)(t.programDateTime)||(t.programDateTime=null,t.rawProgramDateTime=null)}var k=window.performance,L=function(r){function g(t){var e;return(e=r.call(this,t,x.default.MANIFEST_LOADING,x.default.LEVEL_LOADING,x.default.AUDIO_TRACK_LOADING,x.default.SUBTITLE_TRACK_LOADING)||this).loaders={},e}!function(t,e){t.prototype=Object.create(e.prototype),(t.prototype.constructor=t).__proto__=e}(g,r),g.canHaveQualityLevels=function(t){return t!==m.AUDIO_TRACK&&t!==m.SUBTITLE_TRACK},g.mapContextToLevelType=function(t){switch(t.type){case m.AUDIO_TRACK:return a.AUDIO;case m.SUBTITLE_TRACK:return a.SUBTITLE;default:return a.MAIN}},g.getResponseUrl=function(t,e){var r=t.url;return void 0!==r&&0!==r.indexOf("data:")||(r=e.url),r};var t=g.prototype;return t.createInternalLoader=function(t){var e=this.hls.config,r=e.pLoader,i=e.loader,n=new(r||i)(e);return t.loader=n,this.loaders[t.type]=n},t.getInternalLoader=function(t){return this.loaders[t.type]},t.resetInternalLoader=function(t){this.loaders[t]&&delete this.loaders[t]},t.destroyInternalLoaders=function(){for(var t in this.loaders){var e=this.loaders[t];e&&e.destroy(),this.resetInternalLoader(t)}},t.destroy=function(){this.destroyInternalLoaders(),r.prototype.destroy.call(this)},t.onManifestLoading=function(t){this.load({url:t.url,type:m.MANIFEST,level:0,id:null,responseType:"text"})},t.onLevelLoading=function(t){this.load({url:t.url,type:m.LEVEL,level:t.level,id:t.id,responseType:"text"})},t.onAudioTrackLoading=function(t){this.load({url:t.url,type:m.AUDIO_TRACK,level:null,id:t.id,responseType:"text"})},t.onSubtitleTrackLoading=function(t){this.load({url:t.url,type:m.SUBTITLE_TRACK,level:null,id:t.id,responseType:"text"})},t.load=function(t){var e=this.hls.config;M.logger.debug("Loading playlist of type "+t.type+", level: "+t.level+", id: "+t.id);var r,i,n,a,o=this.getInternalLoader(t);if(o){var s=o.context;if(s&&s.url===t.url)return M.logger.trace("playlist request ongoing"),!1;M.logger.warn("aborting previous loader for type: "+t.type),o.abort()}switch(t.type){case m.MANIFEST:r=e.manifestLoadingMaxRetry,i=e.manifestLoadingTimeOut,n=e.manifestLoadingRetryDelay,a=e.manifestLoadingMaxRetryTimeout;break;case m.LEVEL:n=a=r=0,i=e.levelLoadingTimeOut;break;default:r=e.levelLoadingMaxRetry,i=e.levelLoadingTimeOut,n=e.levelLoadingRetryDelay,a=e.levelLoadingMaxRetryTimeout}o=this.createInternalLoader(t);var l={timeout:i,maxRetry:r,retryDelay:n,maxRetryDelay:a},u={onSuccess:this.loadsuccess.bind(this),onError:this.loaderror.bind(this),onTimeout:this.loadtimeout.bind(this)};return M.logger.debug("Calling internal loader delegate for URL: "+t.url),o.load(t,l,u),!0},t.loadsuccess=function(t,e,r,i){if(void 0===i&&(i=null),r.isSidxRequest)return this._handleSidxRequest(t,r),void this._handlePlaylistLoaded(t,e,r,i);if(this.resetInternalLoader(r.type),"string"!=typeof t.data)throw new Error('expected responseType of "text" for PlaylistLoader');var n=t.data;e.tload=k.now(),0===n.indexOf("#EXTM3U")?0<n.indexOf("#EXTINF:")||0<n.indexOf("#EXT-X-TARGETDURATION:")?this._handleTrackOrLevelPlaylist(t,e,r,i):this._handleMasterPlaylist(t,e,r,i):this._handleManifestParsingError(t,r,"no EXTM3U delimiter",i)},t.loaderror=function(t,e,r){void 0===r&&(r=null),this._handleNetworkError(e,r,!1,t)},t.loadtimeout=function(t,e,r){void 0===r&&(r=null),this._handleNetworkError(e,r,!0)},t._handleMasterPlaylist=function(t,e,r,i){var n=this.hls,a=t.data,o=g.getResponseUrl(t,r),s=S.parseMasterPlaylist(a,o);if(s.length){var l=s.map(function(t){return{id:t.attrs.AUDIO,codec:t.audioCodec}}),u=S.parseMasterPlaylistMedia(a,o,"AUDIO",l),d=S.parseMasterPlaylistMedia(a,o,"SUBTITLES");if(u.length){var c=!1;u.forEach(function(t){t.url||(c=!0)}),!1===c&&s[0].audioCodec&&!s[0].attrs.AUDIO&&(M.logger.log("audio codec signaled in quality level, but no embedded audio track signaled, create one"),u.unshift({type:"main",name:"main",default:!1,autoselect:!1,forced:!1,id:-1}))}n.trigger(x.default.MANIFEST_LOADED,{levels:s,audioTracks:u,subtitles:d,url:o,stats:e,networkDetails:i})}else this._handleManifestParsingError(t,r,"no level found in manifest",i)},t._handleTrackOrLevelPlaylist=function(t,e,r,i){var n=this.hls,a=r.id,o=r.level,s=r.type,l=g.getResponseUrl(t,r),u=Object(I.isFiniteNumber)(a)?a:0,d=Object(I.isFiniteNumber)(o)?o:u,c=g.mapContextToLevelType(r),f=S.parseLevelPlaylist(t.data,l,d,c,u);if(f.tload=e.tload,s===m.MANIFEST){var h={url:l,details:f};n.trigger(x.default.MANIFEST_LOADED,{levels:[h],audioTracks:[],url:l,stats:e,networkDetails:i})}if(e.tparsed=k.now(),f.needSidxRanges){var p=f.initSegment.url;this.load({url:p,isSidxRequest:!0,type:s,level:o,levelDetails:f,id:a,rangeStart:0,rangeEnd:2048,responseType:"arraybuffer"})}else r.levelDetails=f,this._handlePlaylistLoaded(t,e,r,i)},t._handleSidxRequest=function(t,e){if("string"==typeof t.data)throw new Error("sidx request must be made with responseType of array buffer");var r=d.default.parseSegmentIndex(new Uint8Array(t.data));if(r){var i=r.references,n=e.levelDetails;i.forEach(function(t,e){var r=t.info;if(n){var i=n.fragments[e];0===i.byteRange.length&&i.setByteRange(String(1+r.end-r.start)+"@"+String(r.start))}}),n&&n.initSegment.setByteRange(String(r.moovEndOffset)+"@0")}},t._handleManifestParsingError=function(t,e,r,i){this.hls.trigger(x.default.ERROR,{type:f.ErrorTypes.NETWORK_ERROR,details:f.ErrorDetails.MANIFEST_PARSING_ERROR,fatal:!0,url:t.url,reason:r,networkDetails:i})},t._handleNetworkError=function(t,e,r,i){var n,a;void 0===r&&(r=!1),void 0===i&&(i=null),M.logger.info("A network error occured while loading a "+t.type+"-type playlist");var o=this.getInternalLoader(t);switch(t.type){case m.MANIFEST:n=r?f.ErrorDetails.MANIFEST_LOAD_TIMEOUT:f.ErrorDetails.MANIFEST_LOAD_ERROR,a=!0;break;case m.LEVEL:n=r?f.ErrorDetails.LEVEL_LOAD_TIMEOUT:f.ErrorDetails.LEVEL_LOAD_ERROR,a=!1;break;case m.AUDIO_TRACK:n=r?f.ErrorDetails.AUDIO_TRACK_LOAD_TIMEOUT:f.ErrorDetails.AUDIO_TRACK_LOAD_ERROR,a=!1;break;default:a=!1}o&&(o.abort(),this.resetInternalLoader(t.type));var s={type:f.ErrorTypes.NETWORK_ERROR,details:n,fatal:a,url:t.url,loader:o,context:t,networkDetails:e};i&&(s.response=i),this.hls.trigger(x.default.ERROR,s)},t._handlePlaylistLoaded=function(t,e,r,i){var n=r.type,a=r.level,o=r.id,s=r.levelDetails;if(s&&s.targetduration)if(g.canHaveQualityLevels(r.type))this.hls.trigger(x.default.LEVEL_LOADED,{details:s,level:a||0,id:o||0,stats:e,networkDetails:i});else switch(n){case m.AUDIO_TRACK:this.hls.trigger(x.default.AUDIO_TRACK_LOADED,{details:s,id:o,stats:e,networkDetails:i});break;case m.SUBTITLE_TRACK:this.hls.trigger(x.default.SUBTITLE_TRACK_LOADED,{details:s,id:o,stats:e,networkDetails:i})}else this._handleManifestParsingError(t,r,"invalid target duration",i)},g}(u);var B=function(i){function t(t){var e;return(e=i.call(this,t,x.default.FRAG_LOADING)||this).loaders={},e}!function(t,e){t.prototype=Object.create(e.prototype),(t.prototype.constructor=t).__proto__=e}(t,i);var e=t.prototype;return e.destroy=function(){var t=this.loaders;for(var e in t){var r=t[e];r&&r.destroy()}this.loaders={},i.prototype.destroy.call(this)},e.onFragLoading=function(t){var e=t.frag,r=e.type,i=this.loaders,n=this.hls.config,a=n.fLoader,o=n.loader;e.loaded=0;var s,l,u,d=i[r];d&&(M.logger.warn("abort previous fragment loader for type: "+r),d.abort()),d=i[r]=e.loader=n.fLoader?new a(n):new o(n),s={url:e.url,frag:e,responseType:"arraybuffer",progressData:!1};var c=e.byteRangeStartOffset,f=e.byteRangeEndOffset;Object(I.isFiniteNumber)(c)&&Object(I.isFiniteNumber)(f)&&(s.rangeStart=c,s.rangeEnd=f),l={timeout:n.fragLoadingTimeOut,maxRetry:0,retryDelay:0,maxRetryDelay:n.fragLoadingMaxRetryTimeout},u={onSuccess:this.loadsuccess.bind(this),onError:this.loaderror.bind(this),onTimeout:this.loadtimeout.bind(this),onProgress:this.loadprogress.bind(this)},d.load(s,l,u)},e.loadsuccess=function(t,e,r,i){void 0===i&&(i=null);var n=t.data,a=r.frag;a.loader=void 0,this.loaders[a.type]=void 0,this.hls.trigger(x.default.FRAG_LOADED,{payload:n,frag:a,stats:e,networkDetails:i})},e.loaderror=function(t,e,r){void 0===r&&(r=null);var i=e.frag,n=i.loader;n&&n.abort(),this.loaders[i.type]=void 0,this.hls.trigger(x.default.ERROR,{type:f.ErrorTypes.NETWORK_ERROR,details:f.ErrorDetails.FRAG_LOAD_ERROR,fatal:!1,frag:e.frag,response:t,networkDetails:r})},e.loadtimeout=function(t,e,r){void 0===r&&(r=null);var i=e.frag,n=i.loader;n&&n.abort(),this.loaders[i.type]=void 0,this.hls.trigger(x.default.ERROR,{type:f.ErrorTypes.NETWORK_ERROR,details:f.ErrorDetails.FRAG_LOAD_TIMEOUT,fatal:!1,frag:e.frag,networkDetails:r})},e.loadprogress=function(t,e,r,i){void 0===i&&(i=null);var n=e.frag;n.loaded=t.loaded,this.hls.trigger(x.default.FRAG_LOAD_PROGRESS,{frag:n,stats:t,networkDetails:i})},t}(u);var U=function(r){function t(t){var e;return(e=r.call(this,t,x.default.KEY_LOADING)||this).loaders={},e.decryptkey=null,e.decrypturl=null,e}!function(t,e){t.prototype=Object.create(e.prototype),(t.prototype.constructor=t).__proto__=e}(t,r);var e=t.prototype;return e.destroy=function(){for(var t in this.loaders){var e=this.loaders[t];e&&e.destroy()}this.loaders={},r.prototype.destroy.call(this)},e.onKeyLoading=function(t){var e=t.frag,r=e.type,i=this.loaders[r];if(e.decryptdata){var n=e.decryptdata.uri;if(n!==this.decrypturl||null===this.decryptkey){var a=this.hls.config;if(i&&(M.logger.warn("abort previous key loader for type:"+r),i.abort()),!n)return void M.logger.warn("key uri is falsy");e.loader=this.loaders[r]=new a.loader(a),this.decrypturl=n,this.decryptkey=null;var o={url:n,frag:e,responseType:"arraybuffer"},s={timeout:a.fragLoadingTimeOut,maxRetry:0,retryDelay:a.fragLoadingRetryDelay,maxRetryDelay:a.fragLoadingMaxRetryTimeout},l={onSuccess:this.loadsuccess.bind(this),onError:this.loaderror.bind(this),onTimeout:this.loadtimeout.bind(this)};e.loader.load(o,s,l)}else this.decryptkey&&(e.decryptdata.key=this.decryptkey,this.hls.trigger(x.default.KEY_LOADED,{frag:e}))}else M.logger.warn("Missing decryption data on fragment in onKeyLoading")},e.loadsuccess=function(t,e,r){var i=r.frag;i.decryptdata?(this.decryptkey=i.decryptdata.key=new Uint8Array(t.data),i.loader=void 0,delete this.loaders[i.type],this.hls.trigger(x.default.KEY_LOADED,{frag:i})):M.logger.error("after key load, decryptdata unset")},e.loaderror=function(t,e){var r=e.frag,i=r.loader;i&&i.abort(),delete this.loaders[r.type],this.hls.trigger(x.default.ERROR,{type:f.ErrorTypes.NETWORK_ERROR,details:f.ErrorDetails.KEY_LOAD_ERROR,fatal:!1,frag:r,response:t})},e.loadtimeout=function(t,e){var r=e.frag,i=r.loader;i&&i.abort(),delete this.loaders[r.type],this.hls.trigger(x.default.ERROR,{type:f.ErrorTypes.NETWORK_ERROR,details:f.ErrorDetails.KEY_LOAD_TIMEOUT,fatal:!1,frag:r})},t}(u);var j="NOT_LOADED",K="APPENDING",V="PARTIAL",G="OK",Y=function(r){function t(t){var e;return(e=r.call(this,t,x.default.BUFFER_APPENDED,x.default.FRAG_BUFFERED,x.default.FRAG_LOADED)||this).bufferPadding=.2,e.fragments=Object.create(null),e.timeRanges=Object.create(null),e.config=t.config,e}!function(t,e){t.prototype=Object.create(e.prototype),(t.prototype.constructor=t).__proto__=e}(t,r);var e=t.prototype;return e.destroy=function(){this.fragments=Object.create(null),this.timeRanges=Object.create(null),this.config=null,u.prototype.destroy.call(this),r.prototype.destroy.call(this)},e.getBufferedFrag=function(i,n){var a=this.fragments,t=Object.keys(a).filter(function(t){var e=a[t];if(e.body.type!==n)return!1;if(!e.buffered)return!1;var r=e.body;return r.startPTS<=i&&i<=r.endPTS});if(0===t.length)return null;var e=t.pop();return a[e].body},e.detectEvictedFragments=function(n,a){var o,s,l=this;Object.keys(this.fragments).forEach(function(t){var e=l.fragments[t];if(!0===e.buffered){var r=e.range[n];if(r){o=r.time;for(var i=0;i<o.length;i++)if(s=o[i],!1===l.isTimeBuffered(s.startPTS,s.endPTS,a)){l.removeFragment(e.body);break}}}})},e.detectPartialFragments=function(r){var i=this,t=this.getFragmentKey(r),n=this.fragments[t];n&&(n.buffered=!0,Object.keys(this.timeRanges).forEach(function(t){if(r.hasElementaryStream(t)){var e=i.timeRanges[t];n.range[t]=i.getBufferedTimes(r.startPTS,r.endPTS,e)}}))},e.getBufferedTimes=function(t,e,r){for(var i,n,a=[],o=!1,s=0;s<r.length;s++){if(i=r.start(s)-this.bufferPadding,n=r.end(s)+this.bufferPadding,i<=t&&e<=n){a.push({startPTS:Math.max(t,r.start(s)),endPTS:Math.min(e,r.end(s))});break}if(t<n&&i<e)a.push({startPTS:Math.max(t,r.start(s)),endPTS:Math.min(e,r.end(s))}),o=!0;else if(e<=i)break}return{time:a,partial:o}},e.getFragmentKey=function(t){return t.type+"_"+t.level+"_"+t.urlId+"_"+t.sn},e.getPartialFragment=function(r){var i,n,a,o=this,s=null,l=0;return Object.keys(this.fragments).forEach(function(t){var e=o.fragments[t];o.isPartial(e)&&(n=e.body.startPTS-o.bufferPadding,a=e.body.endPTS+o.bufferPadding,n<=r&&r<=a&&(i=Math.min(r-n,a-r),l<=i&&(s=e.body,l=i)))}),s},e.getState=function(t){var e=this.getFragmentKey(t),r=this.fragments[e],i=j;return void 0!==r&&(i=r.buffered?!0===this.isPartial(r)?V:G:K),i},e.isPartial=function(t){return!0===t.buffered&&(void 0!==t.range.video&&!0===t.range.video.partial||void 0!==t.range.audio&&!0===t.range.audio.partial)},e.isTimeBuffered=function(t,e,r){for(var i,n,a=0;a<r.length;a++){if(i=r.start(a)-this.bufferPadding,n=r.end(a)+this.bufferPadding,i<=t&&e<=n)return!0;if(e<=i)return!1}return!1},e.onFragLoaded=function(t){var e=t.frag;Object(I.isFiniteNumber)(e.sn)&&!e.bitrateTest&&(this.fragments[this.getFragmentKey(e)]={body:e,range:Object.create(null),buffered:!1})},e.onBufferAppended=function(t){var r=this;this.timeRanges=t.timeRanges,Object.keys(this.timeRanges).forEach(function(t){var e=r.timeRanges[t];r.detectEvictedFragments(t,e)})},e.onFragBuffered=function(t){this.detectPartialFragments(t.frag)},e.hasFragment=function(t){var e=this.getFragmentKey(t);return void 0!==this.fragments[e]},e.removeFragment=function(t){var e=this.getFragmentKey(t);delete this.fragments[e]},e.removeAllFragments=function(){this.fragments=Object.create(null)},t}(u),H={search:function(t,e){for(var r=0,i=t.length-1,n=null,a=null;r<=i;){var o=e(a=t[n=(r+i)/2|0]);if(0<o)r=n+1;else{if(!(o<0))return a;i=n-1}}return null}},$=function(){function t(){}return t.isBuffered=function(t,e){try{if(t)for(var r=t.buffered,i=0;i<r.length;i++)if(e>=r.start(i)&&e<=r.end(i))return!0}catch(t){}return!1},t.bufferInfo=function(t,e,r){try{if(t){var i,n=t.buffered,a=[];for(i=0;i<n.length;i++)a.push({start:n.start(i),end:n.end(i)});return this.bufferedInfo(a,e,r)}}catch(t){}return{len:0,start:e,end:e,nextStart:void 0}},t.bufferedInfo=function(t,e,r){t.sort(function(t,e){var r=t.start-e.start;return r||e.end-t.end});var i=[];if(r)for(var n=0;n<t.length;n++){var a=i.length;if(a){var o=i[a-1].end;t[n].start-o<r?t[n].end>o&&(i[a-1].end=t[n].end):i.push(t[n])}else i.push(t[n])}else i=t;for(var s,l=0,u=e,d=e,c=0;c<i.length;c++){var f=i[c].start,h=i[c].end;if(f<=e+r&&e<h)u=f,l=(d=h)-e;else if(e+r<f){s=f;break}}return{len:l,start:u,end:d,nextStart:s}},t}(),z=r("./node_modules/eventemitter3/index.js"),W=r("./node_modules/webworkify-webpack/index.js"),q=r("./src/demux/demuxer-inline.js");function X(){return window.MediaSource||window.WebKitMediaSource}var Z=r("./src/utils/get-self-scope.js");var Q=function(t){function e(){return t.apply(this,arguments)||this}return function(t,e){t.prototype=Object.create(e.prototype),(t.prototype.constructor=t).__proto__=e}(e,t),e.prototype.trigger=function(t){for(var e=arguments.length,r=new Array(1<e?e-1:0),i=1;i<e;i++)r[i-1]=arguments[i];this.emit.apply(this,[t,t].concat(r))},e}(z.EventEmitter),J=Object(Z.getSelfScope)(),tt=X()||{isTypeSupported:function(){return!1}},et=function(){function t(r,t){var i=this;this.hls=r,this.id=t;function e(t,e){(e=e||{}).frag=i.frag,e.id=i.id,r.trigger(t,e)}var n=this.observer=new Q,a=r.config;n.on(x.default.FRAG_DECRYPTED,e),n.on(x.default.FRAG_PARSING_INIT_SEGMENT,e),n.on(x.default.FRAG_PARSING_DATA,e),n.on(x.default.FRAG_PARSED,e),n.on(x.default.ERROR,e),n.on(x.default.FRAG_PARSING_METADATA,e),n.on(x.default.FRAG_PARSING_USERDATA,e),n.on(x.default.INIT_PTS_FOUND,e);var o={mp4:tt.isTypeSupported("video/mp4"),mpeg:tt.isTypeSupported("audio/mpeg"),mp3:tt.isTypeSupported('audio/mp4; codecs="mp3"')},s=navigator.vendor;if(a.enableWorker&&"undefined"!=typeof Worker){var l;M.logger.log("demuxing in webworker");try{l=this.w=W("./src/demux/demuxer-worker.js"),this.onwmsg=this.onWorkerMessage.bind(this),l.addEventListener("message",this.onwmsg),l.onerror=function(t){r.trigger(x.default.ERROR,{type:f.ErrorTypes.OTHER_ERROR,details:f.ErrorDetails.INTERNAL_EXCEPTION,fatal:!0,event:"demuxerWorker",err:{message:t.message+" ("+t.filename+":"+t.lineno+")"}})},l.postMessage({cmd:"init",typeSupported:o,vendor:s,id:t,config:JSON.stringify(a)})}catch(t){M.logger.warn("Error in worker:",t),M.logger.error("Error while initializing DemuxerWorker, fallback on DemuxerInline"),l&&J.URL.revokeObjectURL(l.objectURL),this.demuxer=new q.default(n,o,a,s),this.w=void 0}}else this.demuxer=new q.default(n,o,a,s)}var e=t.prototype;return e.destroy=function(){var t=this.w;if(t)t.removeEventListener("message",this.onwmsg),t.terminate(),this.w=null;else{var e=this.demuxer;e&&(e.destroy(),this.demuxer=null)}var r=this.observer;r&&(r.removeAllListeners(),this.observer=null)},e.push=function(t,e,r,i,n,a,o,s){var l=this.w,u=Object(I.isFiniteNumber)(n.startPTS)?n.startPTS:n.start,d=n.decryptdata,c=this.frag,f=!(c&&n.cc===c.cc),h=!(c&&n.level===c.level),p=c&&n.sn===c.sn+1,g=!h&&p;if(f&&M.logger.log(this.id+":discontinuity detected"),h&&M.logger.log(this.id+":switch detected"),this.frag=n,l)l.postMessage({cmd:"demux",data:t,decryptdata:d,initSegment:e,audioCodec:r,videoCodec:i,timeOffset:u,discontinuity:f,trackSwitch:h,contiguous:g,duration:a,accurateTimeOffset:o,defaultInitPTS:s},t instanceof ArrayBuffer?[t]:[]);else{var m=this.demuxer;m&&m.push(t,d,e,r,i,u,f,h,g,a,o,s)}},e.onWorkerMessage=function(t){var e=t.data,r=this.hls;switch(e.event){case"init":J.URL.revokeObjectURL(this.w.objectURL);break;case x.default.FRAG_PARSING_DATA:e.data.data1=new Uint8Array(e.data1),e.data2&&(e.data.data2=new Uint8Array(e.data2));default:e.data=e.data||{},e.data.frag=this.frag,e.data.id=this.id,r.trigger(e.event,e.data)}},t}();function rt(t,e,r){switch(e){case"audio":t.audioGroupIds||(t.audioGroupIds=[]),t.audioGroupIds.push(r);break;case"text":t.textGroupIds||(t.textGroupIds=[]),t.textGroupIds.push(r)}}function it(t,e,r){var i=t[e],n=t[r],a=n.startPTS;Object(I.isFiniteNumber)(a)?e<r?(i.duration=a-i.start,i.duration<0&&M.logger.warn("negative duration computed for frag "+i.sn+",level "+i.level+", there should be some duration drift between playlist and fragment!")):(n.duration=i.start-a,n.duration<0&&M.logger.warn("negative duration computed for frag "+n.sn+",level "+n.level+", there should be some duration drift between playlist and fragment!")):n.start=e<r?i.start+i.duration:Math.max(i.start-n.duration,0)}function nt(t,e,r,i,n,a){var o=r;if(Object(I.isFiniteNumber)(e.startPTS)){var s=Math.abs(e.startPTS-r);Object(I.isFiniteNumber)(e.deltaPTS)?e.deltaPTS=Math.max(s,e.deltaPTS):e.deltaPTS=s,o=Math.max(r,e.startPTS),r=Math.min(r,e.startPTS),i=Math.max(i,e.endPTS),n=Math.min(n,e.startDTS),a=Math.max(a,e.endDTS)}var l=r-e.start;e.start=e.startPTS=r,e.maxStartPTS=o,e.endPTS=i,e.startDTS=n,e.endDTS=a,e.duration=i-r;var u,d,c,f=e.sn;if(!t||f<t.startSN||f>t.endSN)return 0;for(u=f-t.startSN,(d=t.fragments)[u]=e,c=u;0<c;c--)it(d,c,c-1);for(c=u;c<d.length-1;c++)it(d,c,c+1);return t.PTSKnown=!0,l}function at(t,r){r.initSegment&&t.initSegment&&(r.initSegment=t.initSegment);var i,n=0;if(ot(t,r,function(t,e){n=t.cc-e.cc,Object(I.isFiniteNumber)(t.startPTS)&&(e.start=e.startPTS=t.startPTS,e.endPTS=t.endPTS,e.duration=t.duration,e.backtracked=t.backtracked,e.dropped=t.dropped,i=e),r.PTSKnown=!0}),r.PTSKnown){if(n){M.logger.log("discontinuity sliding from playlist, take drift into account");for(var e=r.fragments,a=0;a<e.length;a++)e[a].cc+=n}i?nt(r,i,i.startPTS,i.endPTS,i.startDTS,i.endDTS):function(t,e){var r=e.startSN-t.startSN,i=t.fragments,n=e.fragments;if(r<0||r>i.length)return;for(var a=0;a<n.length;a++)n[a].start+=i[r].start}(t,r),r.PTSKnown=t.PTSKnown}}function ot(t,e,r){if(t&&e)for(var i=Math.max(t.startSN,e.startSN)-e.startSN,n=Math.min(t.endSN,e.endSN)-e.startSN,a=e.startSN-t.startSN,o=i;o<=n;o++){var s=t.fragments[a+o],l=e.fragments[o];if(!s||!l)break;r(s,l,o)}}function st(t,e,r){var i=1e3*(e.averagetargetduration?e.averagetargetduration:e.targetduration),n=i/2;return t&&e.endSN===t.endSN&&(i=n),r&&(i=Math.max(n,i-(window.performance.now()-r))),Math.round(i)}var lt={toString:function(t){for(var e="",r=t.length,i=0;i<r;i++)e+="["+t.start(i).toFixed(3)+","+t.end(i).toFixed(3)+"]";return e}};function ut(r,t){t.fragments.forEach(function(t){if(t){var e=t.start+r;t.start=t.startPTS=e,t.endPTS=e+t.duration}}),t.PTSKnown=!0}function dt(t,e,r){!function(t,e,r){if(function(t,e,r){var i=!1;return e&&e.details&&r&&(r.endCC>r.startCC||t&&t.cc<r.startCC)&&(i=!0),i}(t,r,e)){var i=function(t,e){var r=t.fragments,i=e.fragments;if(i.length&&r.length){var n=function(t,e){for(var r=null,i=0;i<t.length;i+=1){var n=t[i];if(n&&n.cc===e){r=n;break}}return r}(r,i[0].cc);if(n&&(!n||n.startPTS))return n;M.logger.log("No frag in previous level to align on")}else M.logger.log("No fragments to align")}(r.details,e);i&&(M.logger.log("Adjusting PTS using last level due to CC increase within current level"),ut(i.start,e))}}(t,r,e),!r.PTSKnown&&e&&function(t,e){if(e&&e.fragments.length){if(!t.hasProgramDateTime||!e.hasProgramDateTime)return;var r=e.fragments[0].programDateTime,i=(t.fragments[0].programDateTime-r)/1e3+e.fragments[0].start;Object(I.isFiniteNumber)(i)&&(M.logger.log("adjusting PTS using programDateTime delta, sliding:"+i.toFixed(3)),ut(i,t))}}(r,e.details)}function ct(t,e,r){if(null===e||!Array.isArray(t)||!t.length||!Object(I.isFiniteNumber)(e))return null;var i,n,a,o,s;if(e<(t[0].programDateTime||0))return null;if((t[t.length-1].endProgramDateTime||0)<=e)return null;r=r||0;for(var l=0;l<t.length;++l){var u=t[l];if(i=e,n=r,a=u,void 0,o=1e3*Math.min(n,a.duration+(a.deltaPTS?a.deltaPTS:0)),s=a.endProgramDateTime||0,i<s-o)return u}return null}function ft(t,e,r,i){void 0===r&&(r=0),void 0===i&&(i=0);var n=t?e[t.sn-e[0].sn+1]:null;return n&&!ht(r,i,n)?n:H.search(e,ht.bind(null,r,i))}function ht(t,e,r){void 0===t&&(t=0),void 0===e&&(e=0);var i=Math.min(e,r.duration+(r.deltaPTS?r.deltaPTS:0));return r.start+r.duration-i<=t?1:r.start-i>t&&r.start?-1:0}var pt=function(){function t(t,e,r,i){this.config=t,this.media=e,this.fragmentTracker=r,this.hls=i,this.nudgeRetry=0,this.stallReported=!1,this.stalled=null,this.moved=!1,this.seeking=!1}var e=t.prototype;return e.poll=function(t){var e=this.config,r=this.media,i=this.stalled,n=r.currentTime,a=r.seeking,o=this.seeking&&!a,s=!this.seeking&&a;if(this.seeking=a,n===t){if((s||o)&&(this.stalled=null),!r.paused&&!r.ended&&0!==r.playbackRate&&r.buffered.length){var l=$.bufferInfo(r,n,0),u=0<l.len,d=l.nextStart||0;if(u||d){if(a){if(2<l.len||(!d||2<d-n))return;this.moved=!1}if(!this.moved&&this.stalled){var c=Math.max(d,l.start||0)-n;if(0<c&&c<=2)return void this._trySkipBufferHole(null)}var f=self.performance.now();if(null!==i){var h=f-i;!a&&250<=h&&this._reportStall(l.len);var p=$.bufferInfo(r,n,e.maxBufferHole);this._tryFixBufferStall(p,h)}else this.stalled=f}}}else if(this.moved=!0,null!==i){if(this.stallReported){var g=self.performance.now()-i;M.logger.warn("playback not stuck anymore @"+n+", after "+Math.round(g)+"ms"),this.stallReported=!1}this.stalled=null,this.nudgeRetry=0}},e._tryFixBufferStall=function(t,e){var r=this.config,i=this.fragmentTracker,n=this.media.currentTime,a=i.getPartialFragment(n);if(a&&this._trySkipBufferHole(a))return;t.len>r.maxBufferHole&&e>1e3*r.highBufferWatchdogPeriod&&(M.logger.warn("Trying to nudge playhead over buffer-hole"),this.stalled=null,this._tryNudgeBuffer())},e._reportStall=function(t){var e=this.hls,r=this.media;this.stallReported||(this.stallReported=!0,M.logger.warn("Playback stalling at @"+r.currentTime+" due to low buffer"),e.trigger(x.default.ERROR,{type:f.ErrorTypes.MEDIA_ERROR,details:f.ErrorDetails.BUFFER_STALLED_ERROR,fatal:!1,buffer:t}))},e._trySkipBufferHole=function(t){for(var e=this.config,r=this.hls,i=this.media,n=i.currentTime,a=0,o=0;o<i.buffered.length;o++){var s=i.buffered.start(o);if(n+e.maxBufferHole>=a&&n<s){var l=Math.max(s+.05,i.currentTime+.1);return M.logger.warn("skipping hole, adjusting currentTime from "+n+" to "+l),this.moved=!0,this.stalled=null,i.currentTime=l,t&&r.trigger(x.default.ERROR,{type:f.ErrorTypes.MEDIA_ERROR,details:f.ErrorDetails.BUFFER_SEEK_OVER_HOLE,fatal:!1,reason:"fragment loaded with buffer holes, seeking from "+n+" to "+l,frag:t}),l}a=i.buffered.end(o)}return 0},e._tryNudgeBuffer=function(){var t=this.config,e=this.hls,r=this.media,i=r.currentTime,n=(this.nudgeRetry||0)+1;if((this.nudgeRetry=n)<t.nudgeMaxRetry){var a=i+n*t.nudgeOffset;M.logger.warn("Nudging 'currentTime' from "+i+" to "+a),r.currentTime=a,e.trigger(x.default.ERROR,{type:f.ErrorTypes.MEDIA_ERROR,details:f.ErrorDetails.BUFFER_NUDGE_ON_STALL,fatal:!1})}else M.logger.error("Playhead still not moving while enough data buffered @"+i+" after "+t.nudgeMaxRetry+" nudges"),e.trigger(x.default.ERROR,{type:f.ErrorTypes.MEDIA_ERROR,details:f.ErrorDetails.BUFFER_STALLED_ERROR,fatal:!0})},t}();var gt=function(a){function t(t){for(var e,r=arguments.length,i=new Array(1<r?r-1:0),n=1;n<r;n++)i[n-1]=arguments[n];return(e=a.call.apply(a,[this,t].concat(i))||this)._boundTick=void 0,e._tickTimer=null,e._tickInterval=null,e._tickCallCount=0,e._boundTick=e.tick.bind(function(t){if(void 0===t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return t}(e)),e}!function(t,e){t.prototype=Object.create(e.prototype),(t.prototype.constructor=t).__proto__=e}(t,a);var e=t.prototype;return e.onHandlerDestroying=function(){this.clearNextTick(),this.clearInterval()},e.hasInterval=function(){return!!this._tickInterval},e.hasNextTick=function(){return!!this._tickTimer},e.setInterval=function(t){return!this._tickInterval&&(this._tickInterval=self.setInterval(this._boundTick,t),!0)},e.clearInterval=function(){return!!this._tickInterval&&(self.clearInterval(this._tickInterval),!(this._tickInterval=null))},e.clearNextTick=function(){return!!this._tickTimer&&(self.clearTimeout(this._tickTimer),!(this._tickTimer=null))},e.tick=function(){this._tickCallCount++,1===this._tickCallCount&&(this.doTick(),1<this._tickCallCount&&(this.clearNextTick(),this._tickTimer=self.setTimeout(this._boundTick,0)),this._tickCallCount=0)},e.doTick=function(){},t}(u);var mt="STOPPED",vt="STARTING",yt="IDLE",At="PAUSED",_t="KEY_LOADING",bt="FRAG_LOADING",Et="FRAG_LOADING_WAITING_RETRY",Tt="WAITING_TRACK",St="PARSING",kt="PARSED",Lt="BUFFER_FLUSHING",Rt="ENDED",Ct="ERROR",wt="WAITING_INIT_PTS",Ot="WAITING_LEVEL",Pt=function(t){function e(){return t.apply(this,arguments)||this}!function(t,e){t.prototype=Object.create(e.prototype),(t.prototype.constructor=t).__proto__=e}(e,t);var r=e.prototype;return r.doTick=function(){},r.startLoad=function(){},r.stopLoad=function(){var t=this.fragCurrent;t&&(t.loader&&t.loader.abort(),this.fragmentTracker.removeFragment(t)),this.demuxer&&(this.demuxer.destroy(),this.demuxer=null),this.fragCurrent=null,this.fragPrevious=null,this.clearInterval(),this.clearNextTick(),this.state=mt},r._streamEnded=function(t,e){var r=this.fragCurrent,i=this.fragmentTracker;if(e.live||!r||r.backtracked||r.sn!==e.endSN||t.nextStart)return!1;var n=i.getState(r);return n===V||n===G},r.onMediaSeeking=function(){var t=this.config,e=this.media,r=this.mediaBuffer,i=this.state,n=e?e.currentTime:null,a=$.bufferInfo(r||e,n,this.config.maxBufferHole);if(Object(I.isFiniteNumber)(n)&&M.logger.log("media seeking to "+n.toFixed(3)),i===bt){var o=this.fragCurrent;if(0===a.len&&o){var s=t.maxFragLookUpTolerance,l=o.start-s,u=o.start+o.duration+s;n<l||u<n?(o.loader&&(M.logger.log("seeking outside of buffer while fragment load in progress, cancel fragment load"),o.loader.abort()),this.fragCurrent=null,this.fragPrevious=null,this.state=yt):M.logger.log("seeking outside of buffer but within currently loaded fragment range")}}else i===Rt&&(0===a.len&&(this.fragPrevious=null,this.fragCurrent=null),this.state=yt);e&&(this.lastCurrentTime=n),this.loadedmetadata||(this.nextLoadPosition=this.startPosition=n),this.tick()},r.onMediaEnded=function(){this.startPosition=this.lastCurrentTime=0},r.onHandlerDestroying=function(){this.stopLoad(),t.prototype.onHandlerDestroying.call(this)},r.onHandlerDestroyed=function(){this.state=mt,this.fragmentTracker=null},r.computeLivePosition=function(t,e){var r=void 0!==this.config.liveSyncDuration?this.config.liveSyncDuration:this.config.liveSyncDurationCount*e.targetduration;return t+Math.max(0,e.totalduration-r)},e}(gt);function Dt(t,e){for(var r=0;r<e.length;r++){var i=e[r];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}var It=function(i){function t(t,e){var r;return(r=i.call(this,t,x.default.MEDIA_ATTACHED,x.default.MEDIA_DETACHING,x.default.MANIFEST_LOADING,x.default.MANIFEST_PARSED,x.default.LEVEL_LOADED,x.default.KEY_LOADED,x.default.FRAG_LOADED,x.default.FRAG_LOAD_EMERGENCY_ABORTED,x.default.FRAG_PARSING_INIT_SEGMENT,x.default.FRAG_PARSING_DATA,x.default.FRAG_PARSED,x.default.ERROR,x.default.AUDIO_TRACK_SWITCHING,x.default.AUDIO_TRACK_SWITCHED,x.default.BUFFER_CREATED,x.default.BUFFER_APPENDED,x.default.BUFFER_FLUSHED)||this).fragmentTracker=e,r.config=t.config,r.audioCodecSwap=!1,r._state=mt,r.stallReported=!1,r.gapController=null,r.altAudio=!1,r}!function(t,e){t.prototype=Object.create(e.prototype),(t.prototype.constructor=t).__proto__=e}(t,i);var e=t.prototype;return e.startLoad=function(t){if(this.levels){var e=this.lastCurrentTime,r=this.hls;if(this.stopLoad(),this.setInterval(100),this.level=-1,this.fragLoadError=0,!this.startFragRequested){var i=r.startLevel;-1===i&&(i=0,this.bitrateTest=!0),this.level=r.nextLoadLevel=i,this.loadedmetadata=!1}0<e&&-1===t&&(M.logger.log("override startPosition with lastCurrentTime @"+e.toFixed(3)),t=e),this.state=yt,this.nextLoadPosition=this.startPosition=this.lastCurrentTime=t,this.tick()}else this.forceStartLoad=!0,this.state=mt},e.stopLoad=function(){this.forceStartLoad=!1,i.prototype.stopLoad.call(this)},e.doTick=function(){switch(this.state){case Lt:this.fragLoadError=0;break;case yt:this._doTickIdle();break;case Ot:var t=this.levels[this.level];t&&t.details&&(this.state=yt);break;case Et:var e=window.performance.now(),r=this.retryDate;(!r||r<=e||this.media&&this.media.seeking)&&(M.logger.log("mediaController: retryDate reached, switch back to IDLE state"),this.state=yt)}this._checkBuffer(),this._checkFragmentChanged()},e._doTickIdle=function(){var t=this.hls,e=t.config,r=this.media;if(void 0!==this.levelLastLoaded&&(r||!this.startFragRequested&&e.startFragPrefetch)){var i;i=this.loadedmetadata?r.currentTime:this.nextLoadPosition;var n=t.nextLoadLevel,a=this.levels[n];if(a){var o,s=a.bitrate;o=s?Math.max(8*e.maxBufferSize/s,e.maxBufferLength):e.maxBufferLength,o=Math.min(o,e.maxMaxBufferLength);var l=$.bufferInfo(this.mediaBuffer?this.mediaBuffer:r,i,e.maxBufferHole),u=l.len;if(!(o<=u)){M.logger.trace("buffer length of "+u.toFixed(3)+" is below max of "+o.toFixed(3)+". checking for more payload ..."),this.level=t.nextLoadLevel=n;var d=a.details;if(!d||d.live&&this.levelLastLoaded!==n)this.state=Ot;else{if(this._streamEnded(l,d)){var c={};return this.altAudio&&(c.type="video"),this.hls.trigger(x.default.BUFFER_EOS,c),void(this.state=Rt)}this._fetchPayloadOrEos(i,l,d)}}}}},e._fetchPayloadOrEos=function(t,e,r){var i=this.fragPrevious,n=this.level,a=r.fragments,o=a.length;if(0!==o){var s,l=a[0].start,u=a[o-1].start+a[o-1].duration,d=e.end;if(r.initSegment&&!r.initSegment.data)s=r.initSegment;else if(r.live){var c=this.config.initialLiveManifestSize;if(o<c)return void M.logger.warn("Can not start playback of a level, reason: not enough fragments "+o+" < "+c);if(null===(s=this._ensureFragmentAtLivePoint(r,d,l,u,i,a,o)))return}else d<l&&(s=a[0]);s||(s=this._findFragment(l,i,o,a,d,u,r)),s&&(s.encrypted?(M.logger.log("Loading key for "+s.sn+" of ["+r.startSN+" ,"+r.endSN+"],level "+n),this._loadKey(s)):(M.logger.log("Loading "+s.sn+" of ["+r.startSN+" ,"+r.endSN+"],level "+n+", currentTime:"+t.toFixed(3)+",bufferEnd:"+d.toFixed(3)),this._loadFragment(s)))}},e._ensureFragmentAtLivePoint=function(t,e,r,i,n,a,o){var s,l=this.hls.config,u=this.media,d=void 0!==l.liveMaxLatencyDuration?l.liveMaxLatencyDuration:l.liveMaxLatencyDurationCount*t.targetduration;if(e<Math.max(r-l.maxFragLookUpTolerance,i-d)){var c=this.liveSyncPosition=this.computeLivePosition(r,t);e=c,u&&!u.paused&&u.readyState&&u.duration>c&&c>u.currentTime&&(M.logger.log("buffer end: "+e.toFixed(3)+" is located too far from the end of live sliding playlist, reset currentTime to : "+c.toFixed(3)),u.currentTime=c),this.nextLoadPosition=c}if(t.PTSKnown&&i<e&&u&&u.readyState)return null;if(this.startFragRequested&&!t.PTSKnown){if(n)if(t.hasProgramDateTime)M.logger.log("live playlist, switching playlist, load frag with same PDT: "+n.programDateTime),s=ct(a,n.endProgramDateTime,l.maxFragLookUpTolerance);else{var f=n.sn+1;if(f>=t.startSN&&f<=t.endSN){var h=a[f-t.startSN];n.cc===h.cc&&(s=h,M.logger.log("live playlist, switching playlist, load frag with next SN: "+s.sn))}s||(s=H.search(a,function(t){return n.cc-t.cc}))&&M.logger.log("live playlist, switching playlist, load frag with same CC: "+s.sn)}s||(s=a[Math.min(o-1,Math.round(o/2))],M.logger.log("live playlist, switching playlist, unknown, load middle frag : "+s.sn))}return s},e._findFragment=function(t,e,r,i,n,a,o){var s,l=this.hls.config;n<a?s=ft(e,i,n,n>a-l.maxFragLookUpTolerance?0:l.maxFragLookUpTolerance):s=i[r-1];if(s){var u=s.sn-o.startSN,d=e&&s.level===e.level,c=i[u-1],f=i[1+u];if(e&&s.sn===e.sn)if(d&&!s.backtracked)if(s.sn<o.endSN){var h=e.deltaPTS;h&&h>l.maxBufferHole&&e.dropped&&u?(s=c,M.logger.warn("Previous fragment was dropped with large PTS gap between audio and video. Maybe fragment is not starting with a keyframe? Loading previous one to try to overcome this")):(s=f,M.logger.log("Re-loading fragment with SN: "+s.sn))}else s=null;else s.backtracked&&(f&&f.backtracked?(M.logger.warn("Already backtracked from fragment "+f.sn+", will not backtrack to fragment "+s.sn+". Loading fragment "+f.sn),s=f):(M.logger.warn("Loaded fragment with dropped frames, backtracking 1 segment to find a keyframe"),s.dropped=0,c?(s=c).backtracked=!0:u&&(s=null)))}return s},e._loadKey=function(t){this.state=_t,this.hls.trigger(x.default.KEY_LOADING,{frag:t})},e._loadFragment=function(t){var e=this.fragmentTracker.getState(t);"initSegment"!==(this.fragCurrent=t).sn&&(this.startFragRequested=!0),Object(I.isFiniteNumber)(t.sn)&&!t.bitrateTest&&(this.nextLoadPosition=t.start+t.duration),t.backtracked||e===j||e===V?(t.autoLevel=this.hls.autoLevelEnabled,t.bitrateTest=this.bitrateTest,this.hls.trigger(x.default.FRAG_LOADING,{frag:t}),this.demuxer||(this.demuxer=new et(this.hls,"main")),this.state=bt):e===K&&this._reduceMaxBufferLength(t.duration)&&this.fragmentTracker.removeFragment(t)},e.getBufferedFrag=function(t){return this.fragmentTracker.getBufferedFrag(t,a.MAIN)},e.followingBufferedFrag=function(t){return t?this.getBufferedFrag(t.endPTS+.5):null},e._checkFragmentChanged=function(){var t,e,r=this.media;if(r&&r.readyState&&!1===r.seeking&&((e=r.currentTime)>this.lastCurrentTime&&(this.lastCurrentTime=e),$.isBuffered(r,e)?t=this.getBufferedFrag(e):$.isBuffered(r,e+.1)&&(t=this.getBufferedFrag(e+.1)),t)){var i=t;if(i!==this.fragPlaying){this.hls.trigger(x.default.FRAG_CHANGED,{frag:i});var n=i.level;this.fragPlaying&&this.fragPlaying.level===n||this.hls.trigger(x.default.LEVEL_SWITCHED,{level:n}),this.fragPlaying=i}}},e.immediateLevelSwitch=function(){if(M.logger.log("immediateLevelSwitch"),!this.immediateSwitch){this.immediateSwitch=!0;var t,e=this.media;e?(t=e.paused,e.pause()):t=!0,this.previouslyPaused=t}var r=this.fragCurrent;r&&r.loader&&r.loader.abort(),this.fragCurrent=null,this.flushMainBuffer(0,Number.POSITIVE_INFINITY)},e.immediateLevelSwitchEnd=function(){var t=this.media;t&&t.buffered.length&&(this.immediateSwitch=!1,$.isBuffered(t,t.currentTime)&&(t.currentTime-=1e-4),this.previouslyPaused||t.play())},e.nextLevelSwitch=function(){var t=this.media;if(t&&t.readyState){var e,r,i;if((r=this.getBufferedFrag(t.currentTime))&&1<r.startPTS&&this.flushMainBuffer(0,r.startPTS-1),t.paused)e=0;else{var n=this.hls.nextLoadLevel,a=this.levels[n],o=this.fragLastKbps;e=o&&this.fragCurrent?this.fragCurrent.duration*a.bitrate/(1e3*o)+1:0}if((i=this.getBufferedFrag(t.currentTime+e))&&(i=this.followingBufferedFrag(i))){var s=this.fragCurrent;s&&s.loader&&s.loader.abort(),this.fragCurrent=null,this.flushMainBuffer(i.maxStartPTS,Number.POSITIVE_INFINITY)}}},e.flushMainBuffer=function(t,e){this.state=Lt;var r={startOffset:t,endOffset:e};this.altAudio&&(r.type="video"),this.hls.trigger(x.default.BUFFER_FLUSHING,r)},e.onMediaAttached=function(t){var e=this.media=this.mediaBuffer=t.media;this.onvseeking=this.onMediaSeeking.bind(this),this.onvseeked=this.onMediaSeeked.bind(this),this.onvended=this.onMediaEnded.bind(this),e.addEventListener("seeking",this.onvseeking),e.addEventListener("seeked",this.onvseeked),e.addEventListener("ended",this.onvended);var r=this.config;this.levels&&r.autoStartLoad&&this.hls.startLoad(r.startPosition),this.gapController=new pt(r,e,this.fragmentTracker,this.hls)},e.onMediaDetaching=function(){var t=this.media;t&&t.ended&&(M.logger.log("MSE detaching and video ended, reset startPosition"),this.startPosition=this.lastCurrentTime=0);var e=this.levels;e&&e.forEach(function(t){t.details&&t.details.fragments.forEach(function(t){t.backtracked=void 0})}),t&&(t.removeEventListener("seeking",this.onvseeking),t.removeEventListener("seeked",this.onvseeked),t.removeEventListener("ended",this.onvended),this.onvseeking=this.onvseeked=this.onvended=null),this.fragmentTracker.removeAllFragments(),this.media=this.mediaBuffer=null,this.loadedmetadata=!1,this.stopLoad()},e.onMediaSeeked=function(){var t=this.media,e=t?t.currentTime:void 0;Object(I.isFiniteNumber)(e)&&M.logger.log("media seeked to "+e.toFixed(3)),this.tick()},e.onManifestLoading=function(){M.logger.log("trigger BUFFER_RESET"),this.hls.trigger(x.default.BUFFER_RESET),this.fragmentTracker.removeAllFragments(),this.stalled=!1,this.startPosition=this.lastCurrentTime=0},e.onManifestParsed=function(t){var e,r=!1,i=!1;t.levels.forEach(function(t){(e=t.audioCodec)&&(-1!==e.indexOf("mp4a.40.2")&&(r=!0),-1!==e.indexOf("mp4a.40.5")&&(i=!0))}),this.audioCodecSwitch=r&&i,this.audioCodecSwitch&&M.logger.log("both AAC/HE-AAC audio found in levels; declaring level codec as HE-AAC"),this.altAudio=t.altAudio,this.levels=t.levels,this.startFragRequested=!1;var n=this.config;(n.autoStartLoad||this.forceStartLoad)&&this.hls.startLoad(n.startPosition)},e.onLevelLoaded=function(t){var e=t.details,r=t.level,i=this.levels[this.levelLastLoaded],n=this.levels[r],a=e.totalduration,o=0;if(M.logger.log("level "+r+" loaded ["+e.startSN+","+e.endSN+"],duration:"+a),e.live){var s=n.details;s&&0<e.fragments.length?(at(s,e),o=e.fragments[0].start,this.liveSyncPosition=this.computeLivePosition(o,s),e.PTSKnown&&Object(I.isFiniteNumber)(o)?M.logger.log("live playlist sliding:"+o.toFixed(3)):(M.logger.log("live playlist - outdated PTS, unknown sliding"),dt(this.fragPrevious,i,e))):(M.logger.log("live playlist - first load, unknown sliding"),e.PTSKnown=!1,dt(this.fragPrevious,i,e))}else e.PTSKnown=!1;if(n.details=e,this.levelLastLoaded=r,this.hls.trigger(x.default.LEVEL_UPDATED,{details:e,level:r}),!1===this.startFragRequested){if(-1===this.startPosition||-1===this.lastCurrentTime){var l=e.startTimeOffset;Object(I.isFiniteNumber)(l)?(l<0&&(M.logger.log("negative start time offset "+l+", count from end of last fragment"),l=o+a+l),M.logger.log("start time offset found in playlist, adjust startPosition to "+l),this.startPosition=l):e.live?(this.startPosition=this.computeLivePosition(o,e),M.logger.log("configure startPosition to "+this.startPosition)):this.startPosition=0,this.lastCurrentTime=this.startPosition}this.nextLoadPosition=this.startPosition}this.state===Ot&&(this.state=yt),this.tick()},e.onKeyLoaded=function(){this.state===_t&&(this.state=yt,this.tick())},e.onFragLoaded=function(t){var e=this.fragCurrent,r=this.hls,i=this.levels,n=this.media,a=t.frag;if(this.state===bt&&e&&"main"===a.type&&a.level===e.level&&a.sn===e.sn){var o=t.stats,s=i[e.level],l=s.details;if(this.bitrateTest=!1,this.stats=o,M.logger.log("Loaded "+e.sn+" of ["+l.startSN+" ,"+l.endSN+"],level "+e.level),a.bitrateTest&&r.nextLoadLevel)this.state=yt,this.startFragRequested=!1,o.tparsed=o.tbuffered=window.performance.now(),r.trigger(x.default.FRAG_BUFFERED,{stats:o,frag:e,id:"main"}),this.tick();else if("initSegment"===a.sn)this.state=yt,o.tparsed=o.tbuffered=window.performance.now(),l.initSegment.data=t.payload,r.trigger(x.default.FRAG_BUFFERED,{stats:o,frag:e,id:"main"}),this.tick();else{M.logger.log("Parsing "+e.sn+" of ["+l.startSN+" ,"+l.endSN+"],level "+e.level+", cc "+e.cc),this.state=St,this.pendingBuffering=!0,this.appended=!1,a.bitrateTest&&(a.bitrateTest=!1,this.fragmentTracker.onFragLoaded({frag:a}));var u=!(n&&n.seeking)&&(l.PTSKnown||!l.live),d=l.initSegment?l.initSegment.data:[],c=this._getAudioCodec(s);(this.demuxer=this.demuxer||new et(this.hls,"main")).push(t.payload,d,c,s.videoCodec,e,l.totalduration,u)}}this.fragLoadError=0},e.onFragParsingInitSegment=function(t){var e=this.fragCurrent,r=t.frag;if(e&&"main"===t.id&&r.sn===e.sn&&r.level===e.level&&this.state===St){var i,n,a=t.tracks;if(a.audio&&this.altAudio&&delete a.audio,n=a.audio){var o=this.levels[this.level].audioCodec,s=navigator.userAgent.toLowerCase();o&&this.audioCodecSwap&&(M.logger.log("swapping playlist audio codec"),o=-1!==o.indexOf("mp4a.40.5")?"mp4a.40.2":"mp4a.40.5"),this.audioCodecSwitch&&1!==n.metadata.channelCount&&-1===s.indexOf("firefox")&&(o="mp4a.40.5"),-1!==s.indexOf("android")&&"audio/mpeg"!==n.container&&(o="mp4a.40.2",M.logger.log("Android: force audio codec to "+o)),n.levelCodec=o,n.id=t.id}for(i in(n=a.video)&&(n.levelCodec=this.levels[this.level].videoCodec,n.id=t.id),this.hls.trigger(x.default.BUFFER_CODECS,a),a){n=a[i],M.logger.log("main track:"+i+",container:"+n.container+",codecs[level/parsed]=["+n.levelCodec+"/"+n.codec+"]");var l=n.initSegment;l&&(this.appended=!0,this.pendingBuffering=!0,this.hls.trigger(x.default.BUFFER_APPENDING,{type:i,data:l,parent:"main",content:"initSegment"}))}this.tick()}},e.onFragParsingData=function(e){var r=this,t=this.fragCurrent,i=e.frag;if(t&&"main"===e.id&&i.sn===t.sn&&i.level===t.level&&("audio"!==e.type||!this.altAudio)&&this.state===St){var n=this.levels[this.level],a=t;if(Object(I.isFiniteNumber)(e.endPTS)||(e.endPTS=e.startPTS+t.duration,e.endDTS=e.startDTS+t.duration),!0===e.hasAudio&&a.addElementaryStream(h.AUDIO),!0===e.hasVideo&&a.addElementaryStream(h.VIDEO),M.logger.log("Parsed "+e.type+",PTS:["+e.startPTS.toFixed(3)+","+e.endPTS.toFixed(3)+"],DTS:["+e.startDTS.toFixed(3)+"/"+e.endDTS.toFixed(3)+"],nb:"+e.nb+",dropped:"+(e.dropped||0)),"video"===e.type)if(a.dropped=e.dropped,a.dropped)if(a.backtracked)M.logger.warn("Already backtracked on this fragment, appending with the gap",a.sn);else{var o=n.details;if(!o||a.sn!==o.startSN)return M.logger.warn("missing video frame(s), backtracking fragment",a.sn),this.fragmentTracker.removeFragment(a),a.backtracked=!0,this.nextLoadPosition=e.startPTS,this.state=yt,this.fragPrevious=a,void this.tick();M.logger.warn("missing video frame(s) on first frag, appending with gap",a.sn)}else a.backtracked=!1;var s=nt(n.details,a,e.startPTS,e.endPTS,e.startDTS,e.endDTS),l=this.hls;l.trigger(x.default.LEVEL_PTS_UPDATED,{details:n.details,level:this.level,drift:s,type:e.type,start:e.startPTS,end:e.endPTS}),[e.data1,e.data2].forEach(function(t){t&&t.length&&r.state===St&&(r.appended=!0,r.pendingBuffering=!0,l.trigger(x.default.BUFFER_APPENDING,{type:e.type,data:t,parent:"main",content:"data"}))}),this.tick()}},e.onFragParsed=function(t){var e=this.fragCurrent,r=t.frag;e&&"main"===t.id&&r.sn===e.sn&&r.level===e.level&&this.state===St&&(this.stats.tparsed=window.performance.now(),this.state=kt,this._checkAppendedParsed())},e.onAudioTrackSwitching=function(t){var e=!!t.url,r=t.id;if(!e){if(this.mediaBuffer!==this.media){M.logger.log("switching on main audio, use media.buffered to schedule main fragment loading"),this.mediaBuffer=this.media;var i=this.fragCurrent;i.loader&&(M.logger.log("switching to main audio track, cancel main fragment load"),i.loader.abort()),this.fragCurrent=null,this.fragPrevious=null,this.demuxer&&(this.demuxer.destroy(),this.demuxer=null),this.state=yt}var n=this.hls;n.trigger(x.default.BUFFER_FLUSHING,{startOffset:0,endOffset:Number.POSITIVE_INFINITY,type:"audio"}),n.trigger(x.default.AUDIO_TRACK_SWITCHED,{id:r}),this.altAudio=!1}},e.onAudioTrackSwitched=function(t){var e=t.id,r=!!this.hls.audioTracks[e].url;if(r){var i=this.videoBuffer;i&&this.mediaBuffer!==i&&(M.logger.log("switching on alternate audio, use video.buffered to schedule main fragment loading"),this.mediaBuffer=i)}this.altAudio=r,this.tick()},e.onBufferCreated=function(t){var e,r,i=t.tracks,n=!1;for(var a in i){var o=i[a];"main"===o.id?(e=o,"video"===(r=a)&&(this.videoBuffer=i[a].buffer)):n=!0}n&&e?(M.logger.log("alternate track found, use "+r+".buffered to schedule main fragment loading"),this.mediaBuffer=e.buffer):this.mediaBuffer=this.media},e.onBufferAppended=function(t){if("main"===t.parent){var e=this.state;e!==St&&e!==kt||(this.pendingBuffering=0<t.pending,this._checkAppendedParsed())}},e._checkAppendedParsed=function(){if(!(this.state!==kt||this.appended&&this.pendingBuffering)){var t=this.fragCurrent;if(t){var e=this.mediaBuffer?this.mediaBuffer:this.media;M.logger.log("main buffered : "+lt.toString(e.buffered)),this.fragPrevious=t;var r=this.stats;r.tbuffered=window.performance.now(),this.fragLastKbps=Math.round(8*r.total/(r.tbuffered-r.tfirst)),this.hls.trigger(x.default.FRAG_BUFFERED,{stats:r,frag:t,id:"main"}),this.state=yt}this.tick()}},e.onError=function(t){var e=t.frag||this.fragCurrent;if(!e||"main"===e.type){var r=!!this.media&&$.isBuffered(this.media,this.media.currentTime)&&$.isBuffered(this.media,this.media.currentTime+.5);switch(t.details){case f.ErrorDetails.FRAG_LOAD_ERROR:case f.ErrorDetails.FRAG_LOAD_TIMEOUT:case f.ErrorDetails.KEY_LOAD_ERROR:case f.ErrorDetails.KEY_LOAD_TIMEOUT:if(!t.fatal)if(this.fragLoadError+1<=this.config.fragLoadingMaxRetry){var i=Math.min(Math.pow(2,this.fragLoadError)*this.config.fragLoadingRetryDelay,this.config.fragLoadingMaxRetryTimeout);M.logger.warn("mediaController: frag loading failed, retry in "+i+" ms"),this.retryDate=window.performance.now()+i,this.loadedmetadata||(this.startFragRequested=!1,this.nextLoadPosition=this.startPosition),this.fragLoadError++,this.state=Et}else M.logger.error("mediaController: "+t.details+" reaches max retry, redispatch as fatal ..."),t.fatal=!0,this.state=Ct;break;case f.ErrorDetails.LEVEL_LOAD_ERROR:case f.ErrorDetails.LEVEL_LOAD_TIMEOUT:this.state!==Ct&&(t.fatal?(this.state=Ct,M.logger.warn("streamController: "+t.details+",switch to "+this.state+" state ...")):t.levelRetry||this.state!==Ot||(this.state=yt));break;case f.ErrorDetails.BUFFER_FULL_ERROR:"main"!==t.parent||this.state!==St&&this.state!==kt||(r?(this._reduceMaxBufferLength(this.config.maxBufferLength),this.state=yt):(M.logger.warn("buffer full error also media.currentTime is not buffered, flush everything"),this.fragCurrent=null,this.flushMainBuffer(0,Number.POSITIVE_INFINITY)))}}},e._reduceMaxBufferLength=function(t){var e=this.config;return e.maxMaxBufferLength>=t&&(e.maxMaxBufferLength/=2,M.logger.warn("main:reduce max buffer length to "+e.maxMaxBufferLength+"s"),!0)},e._checkBuffer=function(){var t=this.media;if(t&&0!==t.readyState){var e=(this.mediaBuffer?this.mediaBuffer:t).buffered;!this.loadedmetadata&&e.length?(this.loadedmetadata=!0,this._seekToStartPos()):this.immediateSwitch?this.immediateLevelSwitchEnd():this.gapController.poll(this.lastCurrentTime,e)}},e.onFragLoadEmergencyAborted=function(){this.state=yt,this.loadedmetadata||(this.startFragRequested=!1,this.nextLoadPosition=this.startPosition),this.tick()},e.onBufferFlushed=function(){var t=this.mediaBuffer?this.mediaBuffer:this.media;t&&this.fragmentTracker.detectEvictedFragments(h.VIDEO,t.buffered),this.state=yt,this.fragPrevious=null},e.swapAudioCodec=function(){this.audioCodecSwap=!this.audioCodecSwap},e._seekToStartPos=function(){var t=this.media,e=t.currentTime,r=t.seeking?e:this.startPosition;e!==r&&0<=r&&(M.logger.log("target start position not buffered, seek to buffered.start(0) "+r+" from current time "+e+" "),t.currentTime=r)},e._getAudioCodec=function(t){var e=this.config.defaultAudioCodec||t.audioCodec;return this.audioCodecSwap&&(M.logger.log("swapping playlist audio codec"),e&&(e=-1!==e.indexOf("mp4a.40.5")?"mp4a.40.2":"mp4a.40.5")),e},function(t,e,r){e&&Dt(t.prototype,e),r&&Dt(t,r)}(t,[{key:"state",set:function(t){if(this.state!==t){var e=this.state;this._state=t,M.logger.log("main stream-controller: "+e+"->"+t),this.hls.trigger(x.default.STREAM_STATE_TRANSITION,{previousState:e,nextState:t})}},get:function(){return this._state}},{key:"currentLevel",get:function(){var t=this.media;if(t){var e=this.getBufferedFrag(t.currentTime);if(e)return e.level}return-1}},{key:"nextBufferedFrag",get:function(){var t=this.media;return t?this.followingBufferedFrag(this.getBufferedFrag(t.currentTime)):null}},{key:"nextLevel",get:function(){var t=this.nextBufferedFrag;return t?t.level:-1}},{key:"liveSyncPosition",get:function(){return this._liveSyncPosition},set:function(t){this._liveSyncPosition=t}}]),t}(Pt);function xt(t,e){for(var r=0;r<e.length;r++){var i=e[r];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}window.performance;var Mt,Nt=function(r){function t(t){var e;return(e=r.call(this,t,x.default.MANIFEST_LOADED,x.default.LEVEL_LOADED,x.default.AUDIO_TRACK_SWITCHED,x.default.FRAG_LOADED,x.default.ERROR)||this).canload=!1,e.currentLevelIndex=null,e.manualLevelIndex=-1,e.timer=null,Mt=/chrome|firefox/.test(navigator.userAgent.toLowerCase()),e}!function(t,e){t.prototype=Object.create(e.prototype),(t.prototype.constructor=t).__proto__=e}(t,r);var e=t.prototype;return e.onHandlerDestroying=function(){this.clearTimer(),this.manualLevelIndex=-1},e.clearTimer=function(){null!==this.timer&&(clearTimeout(this.timer),this.timer=null)},e.startLoad=function(){var t=this._levels;this.canload=!0,this.levelRetryCount=0,t&&t.forEach(function(t){t.loadError=0;var e=t.details;e&&e.live&&(t.details=void 0)}),null!==this.timer&&this.loadLevel()},e.stopLoad=function(){this.canload=!1},e.onManifestLoaded=function(t){var e,r=[],i=[],n={},a=null,o=!1,s=!1;if(t.levels.forEach(function(t){var e=t.attrs;t.loadError=0,t.fragmentError=!1,o=o||!!t.videoCodec,s=s||!!t.audioCodec,Mt&&t.audioCodec&&-1!==t.audioCodec.indexOf("mp4a.40.34")&&(t.audioCodec=void 0),(a=n[t.bitrate])?a.url.push(t.url):(t.url=[t.url],t.urlId=0,n[t.bitrate]=t,r.push(t)),e&&(e.AUDIO&&(s=!0,rt(a||t,"audio",e.AUDIO)),e.SUBTITLES&&rt(a||t,"text",e.SUBTITLES))}),o&&s&&(r=r.filter(function(t){return!!t.videoCodec})),r=r.filter(function(t){var e=t.audioCodec,r=t.videoCodec;return(!e||b(e,"audio"))&&(!r||b(r,"video"))}),t.audioTracks&&(i=t.audioTracks.filter(function(t){return!t.audioCodec||b(t.audioCodec,"audio")})).forEach(function(t,e){t.id=e}),0<r.length){e=r[0].bitrate,r.sort(function(t,e){return t.bitrate-e.bitrate}),this._levels=r;for(var l=0;l<r.length;l++)if(r[l].bitrate===e){this._firstLevel=l,M.logger.log("manifest loaded,"+r.length+" level(s) found, first bitrate:"+e);break}this.hls.trigger(x.default.MANIFEST_PARSED,{levels:r,audioTracks:i,firstLevel:this._firstLevel,stats:t.stats,audio:s,video:o,altAudio:i.some(function(t){return!!t.url})})}else this.hls.trigger(x.default.ERROR,{type:f.ErrorTypes.MEDIA_ERROR,details:f.ErrorDetails.MANIFEST_INCOMPATIBLE_CODECS_ERROR,fatal:!0,url:this.hls.url,reason:"no level with compatible codecs found in manifest"})},e.setLevelInternal=function(t){var e=this._levels,r=this.hls;if(0<=t&&t<e.length){if(this.clearTimer(),this.currentLevelIndex!==t){M.logger.log("switching to level "+t);var i=e[this.currentLevelIndex=t];i.level=t,r.trigger(x.default.LEVEL_SWITCHING,i)}var n=e[t],a=n.details;if(!a||a.live){var o=n.urlId;r.trigger(x.default.LEVEL_LOADING,{url:n.url[o],level:t,id:o})}}else r.trigger(x.default.ERROR,{type:f.ErrorTypes.OTHER_ERROR,details:f.ErrorDetails.LEVEL_SWITCH_ERROR,level:t,fatal:!1,reason:"invalid level idx"})},e.onError=function(t){if(t.fatal)t.type===f.ErrorTypes.NETWORK_ERROR&&this.clearTimer();else{var e,r=!1,i=!1;switch(t.details){case f.ErrorDetails.FRAG_LOAD_ERROR:case f.ErrorDetails.FRAG_LOAD_TIMEOUT:case f.ErrorDetails.KEY_LOAD_ERROR:case f.ErrorDetails.KEY_LOAD_TIMEOUT:e=t.frag.level,i=!0;break;case f.ErrorDetails.LEVEL_LOAD_ERROR:case f.ErrorDetails.LEVEL_LOAD_TIMEOUT:e=t.context.level,r=!0;break;case f.ErrorDetails.REMUX_ALLOC_ERROR:e=t.level,r=!0}void 0!==e&&this.recoverLevel(t,e,r,i)}},e.recoverLevel=function(t,e,r,i){var n,a,o,s=this,l=this.hls.config,u=t.details,d=this._levels[e];if(d.loadError++,d.fragmentError=i,r){if(!(this.levelRetryCount+1<=l.levelLoadingMaxRetry))return M.logger.error("level controller, cannot recover from "+u+" error"),this.currentLevelIndex=null,this.clearTimer(),void(t.fatal=!0);a=Math.min(Math.pow(2,this.levelRetryCount)*l.levelLoadingRetryDelay,l.levelLoadingMaxRetryTimeout),this.timer=setTimeout(function(){return s.loadLevel()},a),t.levelRetry=!0,this.levelRetryCount++,M.logger.warn("level controller, "+u+", retry in "+a+" ms, current retry count is "+this.levelRetryCount)}(r||i)&&(1<(n=d.url.length)&&d.loadError<n?(d.urlId=(d.urlId+1)%n,d.details=void 0,M.logger.warn("level controller, "+u+" for level "+e+": switching to redundant URL-id "+d.urlId)):-1===this.manualLevelIndex?(o=0===e?this._levels.length-1:e-1,M.logger.warn("level controller, "+u+": switch to "+o),this.hls.nextAutoLevel=this.currentLevelIndex=o):i&&(M.logger.warn("level controller, "+u+": reload a fragment"),this.currentLevelIndex=null))},e.onFragLoaded=function(t){var e=t.frag;if(void 0!==e&&"main"===e.type){var r=this._levels[e.level];void 0!==r&&(r.fragmentError=!1,r.loadError=0,this.levelRetryCount=0)}},e.onLevelLoaded=function(t){var e=this,r=t.level,i=t.details;if(r===this.currentLevelIndex){var n=this._levels[r];if(n.fragmentError||(n.loadError=0,this.levelRetryCount=0),i.live){var a=st(n.details,i,t.stats.trequest);M.logger.log("live playlist, reload in "+Math.round(a)+" ms"),this.timer=setTimeout(function(){return e.loadLevel()},a)}else this.clearTimer()}},e.onAudioTrackSwitched=function(t){var e=this.hls.audioTracks[t.id].groupId,r=this.hls.levels[this.currentLevelIndex];if(r&&r.audioGroupIds){for(var i=-1,n=0;n<r.audioGroupIds.length;n++)if(r.audioGroupIds[n]===e){i=n;break}i!==r.urlId&&(r.urlId=i,this.startLoad())}},e.loadLevel=function(){if(M.logger.debug("call to loadLevel"),null!==this.currentLevelIndex&&this.canload){var t=this._levels[this.currentLevelIndex];if("object"==typeof t&&0<t.url.length){var e=this.currentLevelIndex,r=t.urlId,i=t.url[r];M.logger.log("Attempt loading level index "+e+" with URL-id "+r),this.hls.trigger(x.default.LEVEL_LOADING,{url:i,level:e,id:r})}}},function(t,e,r){e&&xt(t.prototype,e),r&&xt(t,r)}(t,[{key:"levels",get:function(){return this._levels}},{key:"level",get:function(){return this.currentLevelIndex},set:function(t){var e=this._levels;e&&(t=Math.min(t,e.length-1),this.currentLevelIndex===t&&e[t].details||this.setLevelInternal(t))}},{key:"manualLevel",get:function(){return this.manualLevelIndex},set:function(t){this.manualLevelIndex=t,void 0===this._startLevel&&(this._startLevel=t),-1!==t&&(this.level=t)}},{key:"firstLevel",get:function(){return this._firstLevel},set:function(t){this._firstLevel=t}},{key:"startLevel",get:function(){if(void 0!==this._startLevel)return this._startLevel;var t=this.hls.config.startLevel;return void 0!==t?t:this._firstLevel},set:function(t){this._startLevel=t}},{key:"nextLoadLevel",get:function(){return-1!==this.manualLevelIndex?this.manualLevelIndex:this.hls.nextAutoLevel},set:function(t){this.level=t,-1===this.manualLevelIndex&&(this.hls.nextAutoLevel=t)}}]),t}(u),Ft=r("./src/demux/id3.js");function Bt(t,e){var r;try{r=new Event("addtrack")}catch(t){(r=document.createEvent("Event")).initEvent("addtrack",!1,!1)}r.track=t,e.dispatchEvent(r)}function Ut(t){if(t&&t.cues)for(;0<t.cues.length;)t.removeCue(t.cues[0])}var jt=function(r){function t(t){var e;return(e=r.call(this,t,x.default.MEDIA_ATTACHED,x.default.MEDIA_DETACHING,x.default.FRAG_PARSING_METADATA,x.default.LIVE_BACK_BUFFER_REACHED)||this).id3Track=void 0,e.media=void 0,e}!function(t,e){t.prototype=Object.create(e.prototype),(t.prototype.constructor=t).__proto__=e}(t,r);var e=t.prototype;return e.destroy=function(){u.prototype.destroy.call(this)},e.onMediaAttached=function(t){this.media=t.media,this.media},e.onMediaDetaching=function(){Ut(this.id3Track),this.id3Track=void 0,this.media=void 0},e.getID3Track=function(t){for(var e=0;e<t.length;e++){var r=t[e];if("metadata"===r.kind&&"id3"===r.label)return Bt(r,this.media),r}return this.media.addTextTrack("metadata","id3")},e.onFragParsingMetadata=function(t){var e=t.frag,r=t.samples;this.id3Track||(this.id3Track=this.getID3Track(this.media.textTracks),this.id3Track.mode="hidden");for(var i=window.WebKitDataCue||window.VTTCue||window.TextTrackCue,n=0;n<r.length;n++){var a=Ft.default.getID3Frames(r[n].data);if(a){var o=r[n].pts,s=n<r.length-1?r[n+1].pts:e.endPTS;o===s?s+=1e-4:s<o&&(M.logger.warn("detected an id3 sample with endTime < startTime, adjusting endTime to (startTime + 0.25)"),s=o+.25);for(var l=0;l<a.length;l++){var u=a[l];if(!Ft.default.isTimeStampFrame(u)){var d=new i(o,s,"");d.value=u,this.id3Track.addCue(d)}}}}},e.onLiveBackBufferReached=function(t){var e=t.bufferEnd,r=this.id3Track;if(r&&r.cues&&r.cues.length){var i=function(t,e){if(e<t[0].endTime)return t[0];if(e>t[t.length-1].endTime)return t[t.length-1];for(var r=0,i=t.length-1;r<=i;){var n=Math.floor((i+r)/2);if(e<t[n].endTime)i=n-1;else{if(!(e>t[n].endTime))return t[n];r=n+1}}return t[r].endTime-e<e-t[i].endTime?t[r]:t[i]}(r.cues,e);if(i)for(;r.cues[0]!==i;)r.removeCue(r.cues[0])}},t}(u);var Kt=function(){function t(t){this.alpha_=void 0,this.estimate_=void 0,this.totalWeight_=void 0,this.alpha_=t?Math.exp(Math.log(.5)/t):0,this.estimate_=0,this.totalWeight_=0}var e=t.prototype;return e.sample=function(t,e){var r=Math.pow(this.alpha_,t);this.estimate_=e*(1-r)+r*this.estimate_,this.totalWeight_+=t},e.getTotalWeight=function(){return this.totalWeight_},e.getEstimate=function(){if(this.alpha_){var t=1-Math.pow(this.alpha_,this.totalWeight_);return this.estimate_/t}return this.estimate_},t}(),Vt=function(){function t(t,e,r,i){this.hls=void 0,this.defaultEstimate_=void 0,this.minWeight_=void 0,this.minDelayMs_=void 0,this.slow_=void 0,this.fast_=void 0,this.hls=t,this.defaultEstimate_=i,this.minWeight_=.001,this.minDelayMs_=50,this.slow_=new Kt(e),this.fast_=new Kt(r)}var e=t.prototype;return e.sample=function(t,e){var r=(t=Math.max(t,this.minDelayMs_))/1e3,i=8*e/r;this.fast_.sample(r,i),this.slow_.sample(r,i)},e.canEstimate=function(){var t=this.fast_;return t&&t.getTotalWeight()>=this.minWeight_},e.getEstimate=function(){return this.canEstimate()?Math.min(this.fast_.getEstimate(),this.slow_.getEstimate()):this.defaultEstimate_},e.destroy=function(){},t}();function Gt(t,e){for(var r=0;r<e.length;r++){var i=e[r];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}var Yt=window.performance,Ht=function(r){function t(t){var e;return(e=r.call(this,t,x.default.FRAG_LOADING,x.default.FRAG_LOADED,x.default.FRAG_BUFFERED,x.default.ERROR)||this).lastLoadedFragLevel=0,e._nextAutoLevel=-1,e.hls=t,e.timer=null,e._bwEstimator=null,e.onCheck=e._abandonRulesCheck.bind(function(t){if(void 0===t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return t}(e)),e}!function(t,e){t.prototype=Object.create(e.prototype),(t.prototype.constructor=t).__proto__=e}(t,r);var e=t.prototype;return e.destroy=function(){this.clearTimer(),u.prototype.destroy.call(this)},e.onFragLoading=function(t){var e=t.frag;if("main"===e.type&&(this.timer||(this.fragCurrent=e,this.timer=setInterval(this.onCheck,100)),!this._bwEstimator)){var r,i,n=this.hls,a=n.config,o=e.level;i=n.levels[o].details.live?(r=a.abrEwmaFastLive,a.abrEwmaSlowLive):(r=a.abrEwmaFastVoD,a.abrEwmaSlowVoD),this._bwEstimator=new Vt(n,i,r,a.abrEwmaDefaultEstimate)}},e._abandonRulesCheck=function(){var t=this.hls,e=t.media,r=this.fragCurrent;if(r){var i=r.loader,n=t.minAutoLevel;if(!i||i.stats&&i.stats.aborted)return M.logger.warn("frag loader destroy or aborted, disarm abandonRules"),this.clearTimer(),void(this._nextAutoLevel=-1);var a=i.stats;if(e&&a&&(!e.paused&&0!==e.playbackRate||!e.readyState)&&r.autoLevel&&r.level){var o=Yt.now()-a.trequest,s=Math.abs(e.playbackRate);if(o>500*r.duration/s){var l=t.levels,u=Math.max(1,a.bw?a.bw/8:1e3*a.loaded/o),d=l[r.level],c=d.realBitrate?Math.max(d.realBitrate,d.bitrate):d.bitrate,f=a.total?a.total:Math.max(a.loaded,Math.round(r.duration*c/8)),h=e.currentTime,p=(f-a.loaded)/u,g=($.bufferInfo(e,h,t.config.maxBufferHole).end-h)/s;if(g<2*r.duration/s&&g<p){var m;for(m=r.level-1;n<m;m--){var v=l[m].realBitrate?Math.max(l[m].realBitrate,l[m].bitrate):l[m].bitrate;if(r.duration*v/(6.4*u)<g)break}void 0<p&&(M.logger.warn("loading too slow, abort fragment loading and switch to level "+m+":fragLoadedDelay["+m+"]<fragLoadedDelay["+(r.level-1)+"];bufferStarvationDelay:"+(void 0).toFixed(1)+"<"+p.toFixed(1)+":"+g.toFixed(1)),t.nextLoadLevel=m,this._bwEstimator.sample(o,a.loaded),i.abort(),this.clearTimer(),t.trigger(x.default.FRAG_LOAD_EMERGENCY_ABORTED,{frag:r,stats:a}))}}}}},e.onFragLoaded=function(t){var e=t.frag;if("main"===e.type&&Object(I.isFiniteNumber)(e.sn)){if(this.clearTimer(),this.lastLoadedFragLevel=e.level,this._nextAutoLevel=-1,this.hls.config.abrMaxWithRealBitrate){var r=this.hls.levels[e.level],i=(r.loaded?r.loaded.bytes:0)+t.stats.loaded,n=(r.loaded?r.loaded.duration:0)+t.frag.duration;r.loaded={bytes:i,duration:n},r.realBitrate=Math.round(8*i/n)}if(t.frag.bitrateTest){var a=t.stats;a.tparsed=a.tbuffered=a.tload,this.onFragBuffered(t)}}},e.onFragBuffered=function(t){var e=t.stats,r=t.frag;if(!0!==e.aborted&&"main"===r.type&&Object(I.isFiniteNumber)(r.sn)&&(!r.bitrateTest||e.tload===e.tbuffered)){var i=e.tparsed-e.trequest;M.logger.log("latency/loading/parsing/append/kbps:"+Math.round(e.tfirst-e.trequest)+"/"+Math.round(e.tload-e.tfirst)+"/"+Math.round(e.tparsed-e.tload)+"/"+Math.round(e.tbuffered-e.tparsed)+"/"+Math.round(8*e.loaded/(e.tbuffered-e.trequest))),this._bwEstimator.sample(i,e.loaded),e.bwEstimate=this._bwEstimator.getEstimate(),r.bitrateTest?this.bitrateTestDelay=i/1e3:this.bitrateTestDelay=0}},e.onError=function(t){switch(t.details){case f.ErrorDetails.FRAG_LOAD_ERROR:case f.ErrorDetails.FRAG_LOAD_TIMEOUT:this.clearTimer()}},e.clearTimer=function(){clearInterval(this.timer),this.timer=null},e._findBestLevel=function(t,e,r,i,n,a,o,s,l){for(var u=n;i<=u;u--){var d=l[u];if(d){var c=d.details,f=c?c.totalduration/c.fragments.length:e,h=!!c&&c.live,p=void 0;p=u<=t?o*r:s*r;var g=l[u].realBitrate?Math.max(l[u].realBitrate,l[u].bitrate):l[u].bitrate,m=g*f/p;if(M.logger.trace("level/adjustedbw/bitrate/avgDuration/maxFetchDuration/fetchDuration: "+u+"/"+Math.round(p)+"/"+g+"/"+f+"/"+a+"/"+m),g<p&&(!m||h&&!this.bitrateTestDelay||m<a))return u}}return-1},function(t,e,r){e&&Gt(t.prototype,e),r&&Gt(t,r)}(t,[{key:"nextAutoLevel",get:function(){var t=this._nextAutoLevel,e=this._bwEstimator;if(!(-1===t||e&&e.canEstimate()))return t;var r=this._nextABRAutoLevel;return-1!==t&&(r=Math.min(t,r)),r},set:function(t){this._nextAutoLevel=t}},{key:"_nextABRAutoLevel",get:function(){var t=this.hls,e=t.maxAutoLevel,r=t.levels,i=t.config,n=t.minAutoLevel,a=t.media,o=this.lastLoadedFragLevel,s=this.fragCurrent?this.fragCurrent.duration:0,l=a?a.currentTime:0,u=a&&0!==a.playbackRate?Math.abs(a.playbackRate):1,d=this._bwEstimator?this._bwEstimator.getEstimate():i.abrEwmaDefaultEstimate,c=($.bufferInfo(a,l,i.maxBufferHole).end-l)/u,f=this._findBestLevel(o,s,d,n,e,c,i.abrBandWidthFactor,i.abrBandWidthUpFactor,r);if(0<=f)return f;M.logger.trace("rebuffering expected to happen, lets try to find a quality level minimizing the rebuffering");var h=s?Math.min(s,i.maxStarvationDelay):i.maxStarvationDelay,p=i.abrBandWidthFactor,g=i.abrBandWidthUpFactor;if(0==c){var m=this.bitrateTestDelay;if(m)h=(s?Math.min(s,i.maxLoadingDelay):i.maxLoadingDelay)-m,M.logger.trace("bitrate test took "+Math.round(1e3*m)+"ms, set first fragment max fetchDuration to "+Math.round(1e3*h)+" ms"),p=g=1}return f=this._findBestLevel(o,s,d,n,e,c+h,p,g,r),Math.max(f,0)}}]),t}(u);var $t=X(),zt=function(e){function t(t){var s;return(s=e.call(this,t,x.default.MEDIA_ATTACHING,x.default.MEDIA_DETACHING,x.default.MANIFEST_PARSED,x.default.BUFFER_RESET,x.default.BUFFER_APPENDING,x.default.BUFFER_CODECS,x.default.BUFFER_EOS,x.default.BUFFER_FLUSHING,x.default.LEVEL_PTS_UPDATED,x.default.LEVEL_UPDATED)||this)._msDuration=null,s._levelDuration=null,s._levelTargetDuration=10,s._live=null,s._objectUrl=null,s._needsFlush=!1,s._needsEos=!1,s.config=void 0,s.audioTimestampOffset=void 0,s.bufferCodecEventsExpected=0,s._bufferCodecEventsTotal=0,s.media=null,s.mediaSource=null,s.segments=[],s.parent=void 0,s.appending=!1,s.appended=0,s.appendError=0,s.flushBufferCounter=0,s.tracks={},s.pendingTracks={},s.sourceBuffer={},s.flushRange=[],s._onMediaSourceOpen=function(){M.logger.log("media source opened"),s.hls.trigger(x.default.MEDIA_ATTACHED,{media:s.media});var t=s.mediaSource;t&&t.removeEventListener("sourceopen",s._onMediaSourceOpen),s.checkPendingTracks()},s._onMediaSourceClose=function(){M.logger.log("media source closed")},s._onMediaSourceEnded=function(){M.logger.log("media source ended")},s._onSBUpdateEnd=function(){if(s.audioTimestampOffset&&s.sourceBuffer.audio){var t=s.sourceBuffer.audio;M.logger.warn("change mpeg audio timestamp offset from "+t.timestampOffset+" to "+s.audioTimestampOffset),t.timestampOffset=s.audioTimestampOffset,delete s.audioTimestampOffset}s._needsFlush&&s.doFlush(),s._needsEos&&s.checkEos(),s.appending=!1;var r=s.parent,e=s.segments.reduce(function(t,e){return e.parent===r?t+1:t},0),i={},n=s.sourceBuffer;for(var a in n){var o=n[a];if(!o)throw Error("handling source buffer update end error: source buffer for "+a+" uninitilized and unable to update buffered TimeRanges.");i[a]=o.buffered}s.hls.trigger(x.default.BUFFER_APPENDED,{parent:r,pending:e,timeRanges:i}),s._needsFlush||s.doAppending(),s.updateMediaElementDuration(),0===e&&s.flushLiveBackBuffer()},s._onSBUpdateError=function(t){M.logger.error("sourceBuffer error:",t),s.hls.trigger(x.default.ERROR,{type:f.ErrorTypes.MEDIA_ERROR,details:f.ErrorDetails.BUFFER_APPENDING_ERROR,fatal:!1})},s.config=t.config,s}!function(t,e){t.prototype=Object.create(e.prototype),(t.prototype.constructor=t).__proto__=e}(t,e);var r=t.prototype;return r.destroy=function(){u.prototype.destroy.call(this)},r.onLevelPtsUpdated=function(t){var e=t.type,r=this.tracks.audio;if("audio"===e&&r&&"audio/mpeg"===r.container){var i=this.sourceBuffer.audio;if(!i)throw Error("Level PTS Updated and source buffer for audio uninitalized");if(.1<Math.abs(i.timestampOffset-t.start)){var n=i.updating;try{i.abort()}catch(t){M.logger.warn("can not abort audio buffer: "+t)}n?this.audioTimestampOffset=t.start:(M.logger.warn("change mpeg audio timestamp offset from "+i.timestampOffset+" to "+t.start),i.timestampOffset=t.start)}}},r.onManifestParsed=function(t){this.bufferCodecEventsExpected=this._bufferCodecEventsTotal=t.altAudio?2:1,M.logger.log(this.bufferCodecEventsExpected+" bufferCodec event(s) expected")},r.onMediaAttaching=function(t){var e=this.media=t.media;if(e&&$t){var r=this.mediaSource=new $t;r.addEventListener("sourceopen",this._onMediaSourceOpen),r.addEventListener("sourceended",this._onMediaSourceEnded),r.addEventListener("sourceclose",this._onMediaSourceClose),e.src=window.URL.createObjectURL(r),this._objectUrl=e.src}},r.onMediaDetaching=function(){M.logger.log("media source detaching");var t=this.mediaSource;if(t){if("open"===t.readyState)try{t.endOfStream()}catch(t){M.logger.warn("onMediaDetaching:"+t.message+" while calling endOfStream")}t.removeEventListener("sourceopen",this._onMediaSourceOpen),t.removeEventListener("sourceended",this._onMediaSourceEnded),t.removeEventListener("sourceclose",this._onMediaSourceClose),this.media&&(this._objectUrl&&window.URL.revokeObjectURL(this._objectUrl),this.media.src===this._objectUrl?(this.media.removeAttribute("src"),this.media.load()):M.logger.warn("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.sourceBuffer={},this.flushRange=[],this.segments=[],this.appended=0}this.hls.trigger(x.default.MEDIA_DETACHED)},r.checkPendingTracks=function(){var t=this.bufferCodecEventsExpected,e=this.pendingTracks,r=Object.keys(e).length;(r&&!t||2===r)&&(this.createSourceBuffers(e),this.pendingTracks={},this.doAppending())},r.onBufferReset=function(){var t=this.sourceBuffer;for(var e in t){var r=t[e];try{r&&(this.mediaSource&&this.mediaSource.removeSourceBuffer(r),r.removeEventListener("updateend",this._onSBUpdateEnd),r.removeEventListener("error",this._onSBUpdateError))}catch(t){}}this.sourceBuffer={},this.flushRange=[],this.segments=[],this.appended=0},r.onBufferCodecs=function(e){var r=this;Object.keys(this.sourceBuffer).length||(Object.keys(e).forEach(function(t){r.pendingTracks[t]=e[t]}),this.bufferCodecEventsExpected=Math.max(this.bufferCodecEventsExpected-1,0),this.mediaSource&&"open"===this.mediaSource.readyState&&this.checkPendingTracks())},r.createSourceBuffers=function(t){var e=this.sourceBuffer,r=this.mediaSource;if(!r)throw Error("createSourceBuffers called when mediaSource was null");for(var i in t)if(!e[i]){var n=t[i];if(!n)throw Error("source buffer exists for track "+i+", however track does not");var a=n.levelCodec||n.codec,o=n.container+";codecs="+a;M.logger.log("creating sourceBuffer("+o+")");try{var s=e[i]=r.addSourceBuffer(o);s.addEventListener("updateend",this._onSBUpdateEnd),s.addEventListener("error",this._onSBUpdateError),this.tracks[i]={buffer:s,codec:a,id:n.id,container:n.container,levelCodec:n.levelCodec}}catch(t){M.logger.error("error while trying to add sourceBuffer:"+t.message),this.hls.trigger(x.default.ERROR,{type:f.ErrorTypes.MEDIA_ERROR,details:f.ErrorDetails.BUFFER_ADD_CODEC_ERROR,fatal:!1,err:t,mimeType:o})}}this.hls.trigger(x.default.BUFFER_CREATED,{tracks:this.tracks})},r.onBufferAppending=function(t){this._needsFlush||(this.segments?this.segments.push(t):this.segments=[t],this.doAppending())},r.onBufferEos=function(t){for(var e in this.sourceBuffer)if(!t.type||t.type===e){var r=this.sourceBuffer[e];r&&!r.ended&&(r.ended=!0,M.logger.log(e+" sourceBuffer now EOS"))}this.checkEos()},r.checkEos=function(){var t=this.sourceBuffer,e=this.mediaSource;if(e&&"open"===e.readyState){for(var r in t){var i=t[r];if(i){if(!i.ended)return;if(i.updating)return void(this._needsEos=!0)}}M.logger.log("all media data are available, signal endOfStream() to MediaSource and stop loading fragment");try{e.endOfStream()}catch(t){M.logger.warn("exception while calling mediaSource.endOfStream()")}this._needsEos=!1}else this._needsEos=!1},r.onBufferFlushing=function(t){t.type?this.flushRange.push({start:t.startOffset,end:t.endOffset,type:t.type}):(this.flushRange.push({start:t.startOffset,end:t.endOffset,type:"video"}),this.flushRange.push({start:t.startOffset,end:t.endOffset,type:"audio"})),this.flushBufferCounter=0,this.doFlush()},r.flushLiveBackBuffer=function(){if(this._live){var t=this.config.liveBackBufferLength;if(isFinite(t)&&!(t<0))if(this.media)for(var e=this.media.currentTime,r=this.sourceBuffer,i=Object.keys(r),n=e-Math.max(t,this._levelTargetDuration),a=i.length-1;0<=a;a--){var o=i[a],s=r[o];if(s){var l=s.buffered;0<l.length&&n>l.start(0)&&this.removeBufferRange(o,s,0,n)&&this.hls.trigger(x.default.LIVE_BACK_BUFFER_REACHED,{bufferEnd:n})}}else M.logger.error("flushLiveBackBuffer called without attaching media")}},r.onLevelUpdated=function(t){var e=t.details;0<e.fragments.length&&(this._levelDuration=e.totalduration+e.fragments[0].start,this._levelTargetDuration=e.averagetargetduration||e.targetduration||10,this._live=e.live,this.updateMediaElementDuration())},r.updateMediaElementDuration=function(){var t,e=this.config;if(null!==this._levelDuration&&this.media&&this.mediaSource&&this.sourceBuffer&&0!==this.media.readyState&&"open"===this.mediaSource.readyState){for(var r in this.sourceBuffer){var i=this.sourceBuffer[r];if(i&&!0===i.updating)return}t=this.media.duration,null===this._msDuration&&(this._msDuration=this.mediaSource.duration),!0===this._live&&!0===e.liveDurationInfinity?(M.logger.log("Media Source duration is set to Infinity"),this._msDuration=this.mediaSource.duration=1/0):(this._levelDuration>this._msDuration&&this._levelDuration>t||!Object(I.isFiniteNumber)(t))&&(M.logger.log("Updating Media Source duration to "+this._levelDuration.toFixed(3)),this._msDuration=this.mediaSource.duration=this._levelDuration)}},r.doFlush=function(){for(;this.flushRange.length;){var t=this.flushRange[0];if(!this.flushBuffer(t.start,t.end,t.type))return void(this._needsFlush=!0);this.flushRange.shift(),this.flushBufferCounter=0}if(0===this.flushRange.length){this._needsFlush=!1;var e=0,r=this.sourceBuffer;try{for(var i in r){var n=r[i];n&&(e+=n.buffered.length)}}catch(t){M.logger.error("error while accessing sourceBuffer.buffered")}this.appended=e,this.hls.trigger(x.default.BUFFER_FLUSHED)}},r.doAppending=function(){var e=this.config,r=this.hls,i=this.segments,t=this.sourceBuffer;if(Object.keys(t).length){if(!this.media||this.media.error)return this.segments=[],void M.logger.error("trying to append although a media error occured, flush segment and abort");if(!this.appending){var n=i.shift();if(n)try{var a=t[n.type];if(!a)return void this._onSBUpdateEnd();if(a.updating)return void i.unshift(n);a.ended=!1,this.parent=n.parent,a.appendBuffer(n.data),this.appendError=0,this.appended++,this.appending=!0}catch(t){M.logger.error("error while trying to append buffer:"+t.message),i.unshift(n);var o={type:f.ErrorTypes.MEDIA_ERROR,parent:n.parent,details:"",fatal:!1};22===t.code?(this.segments=[],o.details=f.ErrorDetails.BUFFER_FULL_ERROR):(this.appendError++,o.details=f.ErrorDetails.BUFFER_APPEND_ERROR,this.appendError>e.appendErrorMaxRetry&&(M.logger.log("fail "+e.appendErrorMaxRetry+" times to append segment in sourceBuffer"),this.segments=[],o.fatal=!0)),r.trigger(x.default.ERROR,o)}}}},r.flushBuffer=function(t,e,r){var i=this.sourceBuffer;if(!Object.keys(i).length)return!0;var n="null";if(this.media&&(n=this.media.currentTime.toFixed(3)),M.logger.log("flushBuffer,pos/start/end: "+n+"/"+t+"/"+e),this.flushBufferCounter>=this.appended)return M.logger.warn("abort flushing too many retries"),!0;var a=i[r];if(a){if(a.ended=!1,a.updating)return M.logger.warn("cannot flush, sb updating in progress"),!1;if(this.removeBufferRange(r,a,t,e))return this.flushBufferCounter++,!1}return M.logger.log("buffer flushed"),!0},r.removeBufferRange=function(t,e,r,i){try{for(var n=0;n<e.buffered.length;n++){var a=e.buffered.start(n),o=e.buffered.end(n),s=Math.max(a,r),l=Math.min(o,i);if(.5<Math.min(l,o)-s){var u="null";return this.media&&(u=this.media.currentTime.toString()),M.logger.log("sb remove "+t+" ["+s+","+l+"], of ["+a+","+o+"], pos:"+u),e.remove(s,l),!0}}}catch(t){M.logger.warn("removeBufferRange failed",t)}return!1},t}(u);function Wt(t,e){for(var r=0;r<e.length;r++){var i=e[r];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}var qt=function(r){function n(t){var e;return(e=r.call(this,t,x.default.FPS_DROP_LEVEL_CAPPING,x.default.MEDIA_ATTACHING,x.default.MANIFEST_PARSED,x.default.BUFFER_CODECS,x.default.MEDIA_DETACHING)||this).autoLevelCapping=Number.POSITIVE_INFINITY,e.firstLevel=null,e.levels=[],e.media=null,e.restrictedLevels=[],e.timer=null,e}!function(t,e){t.prototype=Object.create(e.prototype),(t.prototype.constructor=t).__proto__=e}(n,r);var t=n.prototype;return t.destroy=function(){this.hls.config.capLevelToPlayerSize&&(this.media=null,this.stopCapping())},t.onFpsDropLevelCapping=function(t){n.isLevelAllowed(t.droppedLevel,this.restrictedLevels)&&this.restrictedLevels.push(t.droppedLevel)},t.onMediaAttaching=function(t){this.media=t.media instanceof window.HTMLVideoElement?t.media:null},t.onManifestParsed=function(t){var e=this.hls;this.restrictedLevels=[],this.levels=t.levels,this.firstLevel=t.firstLevel,e.config.capLevelToPlayerSize&&t.video&&this.startCapping()},t.onBufferCodecs=function(t){this.hls.config.capLevelToPlayerSize&&t.video&&this.startCapping()},t.onLevelsUpdated=function(t){this.levels=t.levels},t.onMediaDetaching=function(){this.stopCapping()},t.detectPlayerSize=function(){if(this.media){var t=this.levels?this.levels.length:0;if(t){var e=this.hls;e.autoLevelCapping=this.getMaxLevel(t-1),e.autoLevelCapping>this.autoLevelCapping&&e.streamController.nextLevelSwitch(),this.autoLevelCapping=e.autoLevelCapping}}},t.getMaxLevel=function(r){var i=this;if(!this.levels)return-1;var t=this.levels.filter(function(t,e){return n.isLevelAllowed(e,i.restrictedLevels)&&e<=r});return n.getMaxLevelByMediaSize(t,this.mediaWidth,this.mediaHeight)},t.startCapping=function(){this.timer||(this.autoLevelCapping=Number.POSITIVE_INFINITY,this.hls.firstLevel=this.getMaxLevel(this.firstLevel),clearInterval(this.timer),this.timer=setInterval(this.detectPlayerSize.bind(this),1e3),this.detectPlayerSize())},t.stopCapping=function(){this.restrictedLevels=[],this.firstLevel=null,this.autoLevelCapping=Number.POSITIVE_INFINITY,this.timer&&(this.timer=clearInterval(this.timer),this.timer=null)},n.isLevelAllowed=function(t,e){return void 0===e&&(e=[]),-1===e.indexOf(t)},n.getMaxLevelByMediaSize=function(t,e,r){if(!t||t&&!t.length)return-1;for(var i,n,a=t.length-1,o=0;o<t.length;o+=1){var s=t[o];if((s.width>=e||s.height>=r)&&(i=s,!(n=t[o+1])||i.width!==n.width||i.height!==n.height)){a=o;break}}return a},function(t,e,r){e&&Wt(t.prototype,e),r&&Wt(t,r)}(n,[{key:"mediaWidth",get:function(){var t,e=this.media;return e&&(t=e.width||e.clientWidth||e.offsetWidth,t*=n.contentScaleFactor),t}},{key:"mediaHeight",get:function(){var t,e=this.media;return e&&(t=e.height||e.clientHeight||e.offsetHeight,t*=n.contentScaleFactor),t}}],[{key:"contentScaleFactor",get:function(){var t=1;try{t=window.devicePixelRatio}catch(t){}return t}}]),n}(u);var Xt=window.performance,Zt=function(e){function t(t){return e.call(this,t,x.default.MEDIA_ATTACHING)||this}!function(t,e){t.prototype=Object.create(e.prototype),(t.prototype.constructor=t).__proto__=e}(t,e);var r=t.prototype;return r.destroy=function(){this.timer&&clearInterval(this.timer),this.isVideoPlaybackQualityAvailable=!1},r.onMediaAttaching=function(t){var e=this.hls.config;e.capLevelOnFPSDrop&&("function"==typeof(this.video=t.media instanceof window.HTMLVideoElement?t.media:null).getVideoPlaybackQuality&&(this.isVideoPlaybackQualityAvailable=!0),clearInterval(this.timer),this.timer=setInterval(this.checkFPSInterval.bind(this),e.fpsDroppedMonitoringPeriod))},r.checkFPS=function(t,e,r){var i=Xt.now();if(e){if(this.lastTime){var n=i-this.lastTime,a=r-this.lastDroppedFrames,o=e-this.lastDecodedFrames,s=1e3*a/n,l=this.hls;if(l.trigger(x.default.FPS_DROP,{currentDropped:a,currentDecoded:o,totalDroppedFrames:r}),0<s&&a>l.config.fpsDroppedMonitoringThreshold*o){var u=l.currentLevel;M.logger.warn("drop FPS ratio greater than max allowed value for currentLevel: "+u),0<u&&(-1===l.autoLevelCapping||l.autoLevelCapping>=u)&&(u-=1,l.trigger(x.default.FPS_DROP_LEVEL_CAPPING,{level:u,droppedLevel:l.currentLevel}),l.autoLevelCapping=u,l.streamController.nextLevelSwitch())}}this.lastTime=i,this.lastDroppedFrames=r,this.lastDecodedFrames=e}},r.checkFPSInterval=function(){var t=this.video;if(t)if(this.isVideoPlaybackQualityAvailable){var e=t.getVideoPlaybackQuality();this.checkFPS(t,e.totalVideoFrames,e.droppedVideoFrames)}else this.checkFPS(t,t.webkitDecodedFrameCount,t.webkitDroppedFrameCount)},t}(u),Qt=window,Jt=Qt.performance,te=Qt.XMLHttpRequest,ee=function(){function t(t){t&&t.xhrSetup&&(this.xhrSetup=t.xhrSetup)}var e=t.prototype;return e.destroy=function(){this.abort(),this.loader=null},e.abort=function(){var t=this.loader;t&&4!==t.readyState&&(this.stats.aborted=!0,t.abort()),window.clearTimeout(this.requestTimeout),this.requestTimeout=null,window.clearTimeout(this.retryTimeout),this.retryTimeout=null},e.load=function(t,e,r){this.context=t,this.config=e,this.callbacks=r,this.stats={trequest:Jt.now(),retry:0},this.retryDelay=e.retryDelay,this.loadInternal()},e.loadInternal=function(){var e,r=this.context;e=this.loader=new te;var t=this.stats;t.tfirst=0,t.loaded=0;var i=this.xhrSetup;try{if(i)try{i(e,r.url)}catch(t){e.open("GET",r.url,!0),i(e,r.url)}e.readyState||e.open("GET",r.url,!0)}catch(t){return void this.callbacks.onError({code:e.status,text:t.message},r,e)}r.rangeEnd&&e.setRequestHeader("Range","bytes="+r.rangeStart+"-"+(r.rangeEnd-1)),e.onreadystatechange=this.readystatechange.bind(this),e.onprogress=this.loadprogress.bind(this),e.responseType=r.responseType,this.requestTimeout=window.setTimeout(this.loadtimeout.bind(this),this.config.timeout),e.send()},e.readystatechange=function(t){var e=t.currentTarget,r=e.readyState,i=this.stats,n=this.context,a=this.config;if(!i.aborted&&2<=r)if(window.clearTimeout(this.requestTimeout),0===i.tfirst&&(i.tfirst=Math.max(Jt.now(),i.trequest)),4===r){var o=e.status;if(200<=o&&o<300){var s,l;i.tload=Math.max(i.tfirst,Jt.now()),l="arraybuffer"===n.responseType?(s=e.response).byteLength:(s=e.responseText).length,i.loaded=i.total=l;var u={url:e.responseURL,data:s};this.callbacks.onSuccess(u,i,n,e)}else i.retry>=a.maxRetry||400<=o&&o<499?(M.logger.error(o+" while loading "+n.url),this.callbacks.onError({code:o,text:e.statusText},n,e)):(M.logger.warn(o+" while loading "+n.url+", retrying in "+this.retryDelay+"..."),this.destroy(),this.retryTimeout=window.setTimeout(this.loadInternal.bind(this),this.retryDelay),this.retryDelay=Math.min(2*this.retryDelay,a.maxRetryDelay),i.retry++)}else this.requestTimeout=window.setTimeout(this.loadtimeout.bind(this),a.timeout)},e.loadtimeout=function(){M.logger.warn("timeout while loading "+this.context.url),this.callbacks.onTimeout(this.stats,this.context,null)},e.loadprogress=function(t){var e=t.currentTarget,r=this.stats;r.loaded=t.loaded,t.lengthComputable&&(r.total=t.total);var i=this.callbacks.onProgress;i&&i(r,this.context,null,e)},t}();function re(t,e){for(var r=0;r<e.length;r++){var i=e[r];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}var ie=function(r){function t(t){var e;return(e=r.call(this,t,x.default.MANIFEST_LOADING,x.default.MANIFEST_PARSED,x.default.AUDIO_TRACK_LOADED,x.default.AUDIO_TRACK_SWITCHED,x.default.LEVEL_LOADED,x.default.ERROR)||this)._trackId=-1,e._selectDefaultTrack=!0,e.tracks=[],e.trackIdBlacklist=Object.create(null),e.audioGroupId=null,e}!function(t,e){t.prototype=Object.create(e.prototype),(t.prototype.constructor=t).__proto__=e}(t,r);var e=t.prototype;return e.onManifestLoading=function(){this.tracks=[],this._trackId=-1,this._selectDefaultTrack=!0},e.onManifestParsed=function(t){var e=this.tracks=t.audioTracks||[];this.hls.trigger(x.default.AUDIO_TRACKS_UPDATED,{audioTracks:e}),this._selectAudioGroup(this.hls.nextLoadLevel)},e.onAudioTrackLoaded=function(t){if(t.id>=this.tracks.length)M.logger.warn("Invalid audio track id:",t.id);else{if(M.logger.log("audioTrack "+t.id+" loaded"),this.tracks[t.id].details=t.details,t.details.live&&!this.hasInterval()){var e=1e3*t.details.targetduration;this.setInterval(e)}!t.details.live&&this.hasInterval()&&this.clearInterval()}},e.onAudioTrackSwitched=function(t){var e=this.tracks[t.id].groupId;e&&this.audioGroupId!==e&&(this.audioGroupId=e)},e.onLevelLoaded=function(t){this._selectAudioGroup(t.level)},e.onError=function(t){t.type===f.ErrorTypes.NETWORK_ERROR&&(t.fatal&&this.clearInterval(),t.details===f.ErrorDetails.AUDIO_TRACK_LOAD_ERROR&&(M.logger.warn("Network failure on audio-track id:",t.context.id),this._handleLoadError()))},e._setAudioTrack=function(t){if(this._trackId===t&&this.tracks[this._trackId].details)M.logger.debug("Same id as current audio-track passed, and track details available -> no-op");else if(t<0||t>=this.tracks.length)M.logger.warn("Invalid id passed to audio-track controller");else{var e=this.tracks[t];M.logger.log("Now switching to audio-track index "+t),this.clearInterval(),this._trackId=t;var r=e.url,i=e.type,n=e.id;this.hls.trigger(x.default.AUDIO_TRACK_SWITCHING,{id:n,type:i,url:r}),this._loadTrackDetailsIfNeeded(e)}},e.doTick=function(){this._updateTrack(this._trackId)},e._selectAudioGroup=function(t){var e=this.hls.levels[t];if(e&&e.audioGroupIds){var r=e.audioGroupIds[e.urlId];this.audioGroupId!==r&&(this.audioGroupId=r,this._selectInitialAudioTrack())}},e._selectInitialAudioTrack=function(){var e=this,t=this.tracks;if(t.length){var r=this.tracks[this._trackId],i=null;if(r&&(i=r.name),this._selectDefaultTrack){var n=t.filter(function(t){return t.default});n.length?t=n:M.logger.warn("No default audio tracks defined")}var a=!1,o=function(){t.forEach(function(t){a||e.audioGroupId&&t.groupId!==e.audioGroupId||i&&i!==t.name||(e._setAudioTrack(t.id),a=!0)})};o(),a||(i=null,o()),a||(M.logger.error("No track found for running audio group-ID: "+this.audioGroupId),this.hls.trigger(x.default.ERROR,{type:f.ErrorTypes.MEDIA_ERROR,details:f.ErrorDetails.AUDIO_TRACK_LOAD_ERROR,fatal:!0}))}},e._needsTrackLoading=function(t){var e=t.details,r=t.url;return!(e&&!e.live)&&!!r},e._loadTrackDetailsIfNeeded=function(t){if(this._needsTrackLoading(t)){var e=t.url,r=t.id;M.logger.log("loading audio-track playlist for id: "+r),this.hls.trigger(x.default.AUDIO_TRACK_LOADING,{url:e,id:r})}},e._updateTrack=function(t){if(!(t<0||t>=this.tracks.length)){this.clearInterval(),this._trackId=t,M.logger.log("trying to update audio-track "+t);var e=this.tracks[t];this._loadTrackDetailsIfNeeded(e)}},e._handleLoadError=function(){this.trackIdBlacklist[this._trackId]=!0;var t=this._trackId,e=this.tracks[t],r=e.name,i=e.language,n=e.groupId;M.logger.warn("Loading failed on audio track id: "+t+", group-id: "+n+', name/language: "'+r+'" / "'+i+'"');for(var a=t,o=0;o<this.tracks.length;o++){if(!this.trackIdBlacklist[o])if(this.tracks[o].name===r){a=o;break}}a!==t?(M.logger.log("Attempting audio-track fallback id:",a,"group-id:",this.tracks[a].groupId),this._setAudioTrack(a)):M.logger.warn('No fallback audio-track found for name/language: "'+r+'" / "'+i+'"')},function(t,e,r){e&&re(t.prototype,e),r&&re(t,r)}(t,[{key:"audioTracks",get:function(){return this.tracks}},{key:"audioTrack",get:function(){return this._trackId},set:function(t){this._setAudioTrack(t),this._selectDefaultTrack=!1}}]),t}(gt);function ne(t,e){for(var r=0;r<e.length;r++){var i=e[r];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}function ae(){return{decode:function(t){if(!t)return"";if("string"!=typeof t)throw new Error("Error - expected string data.");return decodeURIComponent(encodeURIComponent(t))}}}var oe=window.performance,se=function(i){function t(t,e){var r;return(r=i.call(this,t,x.default.MEDIA_ATTACHED,x.default.MEDIA_DETACHING,x.default.AUDIO_TRACKS_UPDATED,x.default.AUDIO_TRACK_SWITCHING,x.default.AUDIO_TRACK_LOADED,x.default.KEY_LOADED,x.default.FRAG_LOADED,x.default.FRAG_PARSING_INIT_SEGMENT,x.default.FRAG_PARSING_DATA,x.default.FRAG_PARSED,x.default.ERROR,x.default.BUFFER_RESET,x.default.BUFFER_CREATED,x.default.BUFFER_APPENDED,x.default.BUFFER_FLUSHED,x.default.INIT_PTS_FOUND)||this).fragmentTracker=e,r.config=t.config,r.audioCodecSwap=!1,r._state=mt,r.initPTS=[],r.waitingFragment=null,r.videoTrackCC=null,r}!function(t,e){t.prototype=Object.create(e.prototype),(t.prototype.constructor=t).__proto__=e}(t,i);var e=t.prototype;return e.onInitPtsFound=function(t){var e=t.id,r=t.frag.cc,i=t.initPTS;"main"===e&&(this.initPTS[r]=i,this.videoTrackCC=r,M.logger.log("InitPTS for cc: "+r+" found from video track: "+i),this.state===wt&&this.tick())},e.startLoad=function(t){if(this.tracks){var e=this.lastCurrentTime;this.stopLoad(),this.setInterval(100),(this.fragLoadError=0)<e&&-1===t?(M.logger.log("audio:override startPosition with lastCurrentTime @"+e.toFixed(3)),this.state=yt):(this.lastCurrentTime=this.startPosition?this.startPosition:t,this.state=vt),this.nextLoadPosition=this.startPosition=this.lastCurrentTime,this.tick()}else this.startPosition=t,this.state=mt},e.doTick=function(){var t,e,r,i=this.hls,n=i.config;switch(this.state){case Ct:case At:case Lt:break;case vt:this.state=Tt,this.loadedmetadata=!1;break;case yt:var a=this.tracks;if(!a)break;if(!this.media&&(this.startFragRequested||!n.startFragPrefetch))break;if(this.loadedmetadata)t=this.media.currentTime;else if(void 0===(t=this.nextLoadPosition))break;var o=this.mediaBuffer?this.mediaBuffer:this.media,s=this.videoBuffer?this.videoBuffer:this.media,l=$.bufferInfo(o,t,n.maxBufferHole),u=$.bufferInfo(s,t,n.maxBufferHole),d=l.len,c=l.end,f=this.fragPrevious,h=Math.min(n.maxBufferLength,n.maxMaxBufferLength),p=Math.max(h,u.len),g=this.audioSwitch,m=this.trackId;if((d<p||g)&&m<a.length){if(void 0===(r=a[m].details)){this.state=Tt;break}if(!g&&this._streamEnded(l,r))return this.hls.trigger(x.default.BUFFER_EOS,{type:"audio"}),void(this.state=Rt);var v,y=r.fragments,A=y.length,_=y[0].start,b=y[A-1].start+y[A-1].duration;if(g)if(r.live&&!r.PTSKnown)M.logger.log("switching audiotrack, live stream, unknown PTS,load first fragment"),c=0;else if(c=t,r.PTSKnown&&t<_){if(!(l.end>_||l.nextStart))return;M.logger.log("alt audio track ahead of main track, seek to start of alt audio track"),this.media.currentTime=_+.05}if(r.initSegment&&!r.initSegment.data)v=r.initSegment;else if(c<=_){if(v=y[0],null!==this.videoTrackCC&&v.cc!==this.videoTrackCC&&(v=function(t,e){return H.search(t,function(t){return t.cc<e?1:t.cc>e?-1:0})}(y,this.videoTrackCC)),r.live&&v.loadIdx&&v.loadIdx===this.fragLoadIdx){var E=l.nextStart?l.nextStart:_;return M.logger.log("no alt audio available @currentTime:"+this.media.currentTime+", seeking @"+(E+.05)),void(this.media.currentTime=E+.05)}}else{var T,S=n.maxFragLookUpTolerance,k=f?y[f.sn-y[0].sn+1]:void 0,L=function(t){var e=Math.min(S,t.duration);return t.start+t.duration-e<=c?1:t.start-e>c&&t.start?-1:0};(T=c<b?(b-S<c&&(S=0),k&&!L(k)?k:H.search(y,L)):y[A-1])&&(_=(v=T).start,f&&v.level===f.level&&v.sn===f.sn&&(v.sn<r.endSN?(v=y[v.sn+1-r.startSN],M.logger.log("SN just loaded, load next one: "+v.sn)):v=null))}v&&(v.encrypted?(M.logger.log("Loading key for "+v.sn+" of ["+r.startSN+" ,"+r.endSN+"],track "+m),this.state=_t,i.trigger(x.default.KEY_LOADING,{frag:v})):(M.logger.log("Loading "+v.sn+", cc: "+v.cc+" of ["+r.startSN+" ,"+r.endSN+"],track "+m+", currentTime:"+t+",bufferEnd:"+c.toFixed(3)),this.fragCurrent=v,!g&&this.fragmentTracker.getState(v)!==j||("initSegment"!==v.sn&&(this.startFragRequested=!0),Object(I.isFiniteNumber)(v.sn)&&(this.nextLoadPosition=v.start+v.duration),i.trigger(x.default.FRAG_LOADING,{frag:v}),this.state=bt)))}break;case Tt:(e=this.tracks[this.trackId])&&e.details&&(this.state=yt);break;case Et:var R=oe.now(),C=this.retryDate,w=(o=this.media)&&o.seeking;(!C||C<=R||w)&&(M.logger.log("audioStreamController: retryDate reached, switch back to IDLE state"),this.state=yt);break;case wt:var O=this.videoTrackCC;if(void 0===this.initPTS[O])break;var P=this.waitingFragment;if(P){var D=P.frag.cc;O!==D?(e=this.tracks[this.trackId]).details&&e.details.live&&(M.logger.warn("Waiting fragment CC ("+D+") does not match video track CC ("+O+")"),this.waitingFragment=null,this.state=yt):(this.state=bt,this.onFragLoaded(this.waitingFragment),this.waitingFragment=null)}else this.state=yt}},e.onMediaAttached=function(t){var e=this.media=this.mediaBuffer=t.media;this.onvseeking=this.onMediaSeeking.bind(this),this.onvended=this.onMediaEnded.bind(this),e.addEventListener("seeking",this.onvseeking),e.addEventListener("ended",this.onvended);var r=this.config;this.tracks&&r.autoStartLoad&&this.startLoad(r.startPosition)},e.onMediaDetaching=function(){var t=this.media;t&&t.ended&&(M.logger.log("MSE detaching and video ended, reset startPosition"),this.startPosition=this.lastCurrentTime=0),t&&(t.removeEventListener("seeking",this.onvseeking),t.removeEventListener("ended",this.onvended),this.onvseeking=this.onvseeked=this.onvended=null),this.media=this.mediaBuffer=this.videoBuffer=null,this.loadedmetadata=!1,this.fragmentTracker.removeAllFragments(),this.stopLoad()},e.onAudioTracksUpdated=function(t){M.logger.log("audio tracks updated"),this.tracks=t.audioTracks},e.onAudioTrackSwitching=function(t){var e=!!t.url;this.trackId=t.id,this.fragCurrent=null,this.state=At,this.waitingFragment=null,e?this.setInterval(100):this.demuxer&&(this.demuxer.destroy(),this.demuxer=null),e&&(this.audioSwitch=!0,this.state=yt),this.tick()},e.onAudioTrackLoaded=function(t){var e=t.details,r=t.id,i=this.tracks[r],n=e.totalduration,a=0;if(M.logger.log("track "+r+" loaded ["+e.startSN+","+e.endSN+"],duration:"+n),e.live){var o=i.details;o&&0<e.fragments.length?(at(o,e),a=e.fragments[0].start,e.PTSKnown?M.logger.log("live audio playlist sliding:"+a.toFixed(3)):M.logger.log("live audio playlist - outdated PTS, unknown sliding")):(e.PTSKnown=!1,M.logger.log("live audio playlist - first load, unknown sliding"))}else e.PTSKnown=!1;if(i.details=e,!this.startFragRequested){if(-1===this.startPosition){var s=e.startTimeOffset;Object(I.isFiniteNumber)(s)?(M.logger.log("start time offset found in playlist, adjust startPosition to "+s),this.startPosition=s):e.live?(this.startPosition=this.computeLivePosition(a,e),M.logger.log("compute startPosition for audio-track to "+this.startPosition)):this.startPosition=0}this.nextLoadPosition=this.startPosition}this.state===Tt&&(this.state=yt),this.tick()},e.onKeyLoaded=function(){this.state===_t&&(this.state=yt,this.tick())},e.onFragLoaded=function(t){var e=this.fragCurrent,r=t.frag;if(this.state===bt&&e&&"audio"===r.type&&r.level===e.level&&r.sn===e.sn){var i=this.tracks[this.trackId],n=i.details,a=n.totalduration,o=e.level,s=e.sn,l=e.cc,u=this.config.defaultAudioCodec||i.audioCodec||"mp4a.40.2",d=this.stats=t.stats;if("initSegment"===s)this.state=yt,d.tparsed=d.tbuffered=oe.now(),n.initSegment.data=t.payload,this.hls.trigger(x.default.FRAG_BUFFERED,{stats:d,frag:e,id:"audio"}),this.tick();else{this.state=St,this.appended=!1,this.demuxer||(this.demuxer=new et(this.hls,"audio"));var c=this.initPTS[l],f=n.initSegment?n.initSegment.data:[];if(n.initSegment||void 0!==c){this.pendingBuffering=!0,M.logger.log("Demuxing "+s+" of ["+n.startSN+" ,"+n.endSN+"],track "+o);this.demuxer.push(t.payload,f,u,null,e,a,!1,c)}else M.logger.log("unknown video PTS for continuity counter "+l+", waiting for video PTS before demuxing audio frag "+s+" of ["+n.startSN+" ,"+n.endSN+"],track "+o),this.waitingFragment=t,this.state=wt}}this.fragLoadError=0},e.onFragParsingInitSegment=function(t){var e=this.fragCurrent,r=t.frag;if(e&&"audio"===t.id&&r.sn===e.sn&&r.level===e.level&&this.state===St){var i,n=t.tracks;if(n.video&&delete n.video,i=n.audio){i.levelCodec=i.codec,i.id=t.id,this.hls.trigger(x.default.BUFFER_CODECS,n),M.logger.log("audio track:audio,container:"+i.container+",codecs[level/parsed]=["+i.levelCodec+"/"+i.codec+"]");var a=i.initSegment;if(a){var o={type:"audio",data:a,parent:"audio",content:"initSegment"};this.audioSwitch?this.pendingData=[o]:(this.appended=!0,this.pendingBuffering=!0,this.hls.trigger(x.default.BUFFER_APPENDING,o))}this.tick()}}},e.onFragParsingData=function(e){var r=this,t=this.fragCurrent,i=e.frag;if(t&&"audio"===e.id&&"audio"===e.type&&i.sn===t.sn&&i.level===t.level&&this.state===St){var n=this.trackId,a=this.tracks[n],o=this.hls;Object(I.isFiniteNumber)(e.endPTS)||(e.endPTS=e.startPTS+t.duration,e.endDTS=e.startDTS+t.duration),t.addElementaryStream(h.AUDIO),M.logger.log("parsed "+e.type+",PTS:["+e.startPTS.toFixed(3)+","+e.endPTS.toFixed(3)+"],DTS:["+e.startDTS.toFixed(3)+"/"+e.endDTS.toFixed(3)+"],nb:"+e.nb),nt(a.details,t,e.startPTS,e.endPTS);var s=this.audioSwitch,l=this.media,u=!1;if(s)if(l&&l.readyState){var d=l.currentTime;M.logger.log("switching audio track : currentTime:"+d),d>=e.startPTS&&(M.logger.log("switching audio track : flushing all audio"),this.state=Lt,o.trigger(x.default.BUFFER_FLUSHING,{startOffset:0,endOffset:Number.POSITIVE_INFINITY,type:"audio"}),u=!0,this.audioSwitch=!1,o.trigger(x.default.AUDIO_TRACK_SWITCHED,{id:n}))}else this.audioSwitch=!1,o.trigger(x.default.AUDIO_TRACK_SWITCHED,{id:n});var c=this.pendingData;if(!c)return M.logger.warn("Apparently attempt to enqueue media payload without codec initialization data upfront"),void o.trigger(x.default.ERROR,{type:f.ErrorTypes.MEDIA_ERROR,details:null,fatal:!0});this.audioSwitch||([e.data1,e.data2].forEach(function(t){t&&t.length&&c.push({type:e.type,data:t,parent:"audio",content:"data"})}),!u&&c.length&&(c.forEach(function(t){r.state===St&&(r.pendingBuffering=!0,r.hls.trigger(x.default.BUFFER_APPENDING,t))}),this.pendingData=[],this.appended=!0)),this.tick()}},e.onFragParsed=function(t){var e=this.fragCurrent,r=t.frag;e&&"audio"===t.id&&r.sn===e.sn&&r.level===e.level&&this.state===St&&(this.stats.tparsed=oe.now(),this.state=kt,this._checkAppendedParsed())},e.onBufferReset=function(){this.mediaBuffer=this.videoBuffer=null,this.loadedmetadata=!1},e.onBufferCreated=function(t){var e=t.tracks.audio;e&&(this.mediaBuffer=e.buffer,this.loadedmetadata=!0),t.tracks.video&&(this.videoBuffer=t.tracks.video.buffer)},e.onBufferAppended=function(t){if("audio"===t.parent){var e=this.state;e!==St&&e!==kt||(this.pendingBuffering=0<t.pending,this._checkAppendedParsed())}},e._checkAppendedParsed=function(){if(!(this.state!==kt||this.appended&&this.pendingBuffering)){var t=this.fragCurrent,e=this.stats,r=this.hls;if(t){this.fragPrevious=t,e.tbuffered=oe.now(),r.trigger(x.default.FRAG_BUFFERED,{stats:e,frag:t,id:"audio"});var i=this.mediaBuffer?this.mediaBuffer:this.media;i&&M.logger.log("audio buffered : "+lt.toString(i.buffered)),this.audioSwitch&&this.appended&&(this.audioSwitch=!1,r.trigger(x.default.AUDIO_TRACK_SWITCHED,{id:this.trackId})),this.state=yt}this.tick()}},e.onError=function(t){var e=t.frag;if(!e||"audio"===e.type)switch(t.details){case f.ErrorDetails.FRAG_LOAD_ERROR:case f.ErrorDetails.FRAG_LOAD_TIMEOUT:var r=t.frag;if(r&&"audio"!==r.type)break;if(!t.fatal){var i=this.fragLoadError;i?i++:i=1;var n=this.config;if(i<=n.fragLoadingMaxRetry){this.fragLoadError=i;var a=Math.min(Math.pow(2,i-1)*n.fragLoadingRetryDelay,n.fragLoadingMaxRetryTimeout);M.logger.warn("AudioStreamController: frag loading failed, retry in "+a+" ms"),this.retryDate=oe.now()+a,this.state=Et}else M.logger.error("AudioStreamController: "+t.details+" reaches max retry, redispatch as fatal ..."),t.fatal=!0,this.state=Ct}break;case f.ErrorDetails.AUDIO_TRACK_LOAD_ERROR:case f.ErrorDetails.AUDIO_TRACK_LOAD_TIMEOUT:case f.ErrorDetails.KEY_LOAD_ERROR:case f.ErrorDetails.KEY_LOAD_TIMEOUT:this.state!==Ct&&(this.state=t.fatal?Ct:yt,M.logger.warn("AudioStreamController: "+t.details+" while loading frag, now switching to "+this.state+" state ..."));break;case f.ErrorDetails.BUFFER_FULL_ERROR:if("audio"===t.parent&&(this.state===St||this.state===kt)){var o=this.mediaBuffer,s=this.media.currentTime;if(o&&$.isBuffered(o,s)&&$.isBuffered(o,s+.5)){var l=this.config;l.maxMaxBufferLength>=l.maxBufferLength&&(l.maxMaxBufferLength/=2,M.logger.warn("AudioStreamController: reduce max buffer length to "+l.maxMaxBufferLength+"s")),this.state=yt}else M.logger.warn("AudioStreamController: buffer full error also media.currentTime is not buffered, flush audio buffer"),this.fragCurrent=null,this.state=Lt,this.hls.trigger(x.default.BUFFER_FLUSHING,{startOffset:0,endOffset:Number.POSITIVE_INFINITY,type:"audio"})}}},e.onBufferFlushed=function(){var e=this,t=this.pendingData;t&&t.length?(M.logger.log("AudioStreamController: appending pending audio data after buffer flushed"),t.forEach(function(t){e.hls.trigger(x.default.BUFFER_APPENDING,t)}),this.appended=!0,this.pendingData=[],this.state=kt):(this.state=yt,this.fragPrevious=null,this.tick())},function(t,e,r){e&&ne(t.prototype,e),r&&ne(t,r)}(t,[{key:"state",set:function(t){if(this.state!==t){var e=this.state;this._state=t,M.logger.log("audio stream:"+e+"->"+t)}},get:function(){return this._state}}]),t}(Pt),le=function(){if("undefined"!=typeof window&&window.VTTCue)return window.VTTCue;var A={"":!0,lr:!0,rl:!0},e={start:!0,middle:!0,end:!0,left:!0,right:!0};function _(t){return"string"==typeof t&&(!!e[t.toLowerCase()]&&t.toLowerCase())}function b(t){for(var e=1;e<arguments.length;e++){var r=arguments[e];for(var i in r)t[i]=r[i]}return t}function t(t,e,r){var i=this,n={enumerable:!0};i.hasBeenReset=!1;var a="",o=!1,s=t,l=e,u=r,d=null,c="",f=!0,h="auto",p="start",g=50,m="middle",v=50,y="middle";Object.defineProperty(i,"id",b({},n,{get:function(){return a},set:function(t){a=""+t}})),Object.defineProperty(i,"pauseOnExit",b({},n,{get:function(){return o},set:function(t){o=!!t}})),Object.defineProperty(i,"startTime",b({},n,{get:function(){return s},set:function(t){if("number"!=typeof t)throw new TypeError("Start time must be set to a number.");s=t,this.hasBeenReset=!0}})),Object.defineProperty(i,"endTime",b({},n,{get:function(){return l},set:function(t){if("number"!=typeof t)throw new TypeError("End time must be set to a number.");l=t,this.hasBeenReset=!0}})),Object.defineProperty(i,"text",b({},n,{get:function(){return u},set:function(t){u=""+t,this.hasBeenReset=!0}})),Object.defineProperty(i,"region",b({},n,{get:function(){return d},set:function(t){d=t,this.hasBeenReset=!0}})),Object.defineProperty(i,"vertical",b({},n,{get:function(){return c},set:function(t){var e=function(t){return"string"==typeof t&&(!!A[t.toLowerCase()]&&t.toLowerCase())}(t);if(!1===e)throw new SyntaxError("An invalid or illegal string was specified.");c=e,this.hasBeenReset=!0}})),Object.defineProperty(i,"snapToLines",b({},n,{get:function(){return f},set:function(t){f=!!t,this.hasBeenReset=!0}})),Object.defineProperty(i,"line",b({},n,{get:function(){return h},set:function(t){if("number"!=typeof t&&"auto"!==t)throw new SyntaxError("An invalid number or illegal string was specified.");h=t,this.hasBeenReset=!0}})),Object.defineProperty(i,"lineAlign",b({},n,{get:function(){return p},set:function(t){var e=_(t);if(!e)throw new SyntaxError("An invalid or illegal string was specified.");p=e,this.hasBeenReset=!0}})),Object.defineProperty(i,"position",b({},n,{get:function(){return g},set:function(t){if(t<0||100<t)throw new Error("Position must be between 0 and 100.");g=t,this.hasBeenReset=!0}})),Object.defineProperty(i,"positionAlign",b({},n,{get:function(){return m},set:function(t){var e=_(t);if(!e)throw new SyntaxError("An invalid or illegal string was specified.");m=e,this.hasBeenReset=!0}})),Object.defineProperty(i,"size",b({},n,{get:function(){return v},set:function(t){if(t<0||100<t)throw new Error("Size must be between 0 and 100.");v=t,this.hasBeenReset=!0}})),Object.defineProperty(i,"align",b({},n,{get:function(){return y},set:function(t){var e=_(t);if(!e)throw new SyntaxError("An invalid or illegal string was specified.");y=e,this.hasBeenReset=!0}})),i.displayState=void 0}return t.prototype.getCueAsHTML=function(){return window.WebVTT.convertCueToDOMTree(window,this.text)},t}();function ue(){this.window=window,this.state="INITIAL",this.buffer="",this.decoder=new ae,this.regionList=[]}function de(){this.values=Object.create(null)}function ce(t,e,r,i){var n=i?t.split(i):[t];for(var a in n)if("string"==typeof n[a]){var o=n[a].split(r);if(2===o.length)e(o[0],o[1])}}de.prototype={set:function(t,e){this.get(t)||""===e||(this.values[t]=e)},get:function(t,e,r){return r?this.has(t)?this.values[t]:e[r]:this.has(t)?this.values[t]:e},has:function(t){return t in this.values},alt:function(t,e,r){for(var i=0;i<r.length;++i)if(e===r[i]){this.set(t,e);break}},integer:function(t,e){/^-?\d+$/.test(e)&&this.set(t,parseInt(e,10))},percent:function(t,e){return!!(e.match(/^([\d]{1,3})(\.[\d]*)?%$/)&&0<=(e=parseFloat(e))&&e<=100)&&(this.set(t,e),!0)}};var fe=new le(0,0,0),he="middle"===fe.align?"middle":"center";function pe(e,t,o){var r=e;function i(){var t=function(t){function e(t,e,r,i){return 3600*(0|t)+60*(0|e)+(0|r)+(0|i)/1e3}var r=t.match(/^(\d+):(\d{2})(:\d{2})?\.(\d{3})/);return r?r[3]?e(r[1],r[2],r[3].replace(":",""),r[4]):59<r[1]?e(r[1],r[2],0,r[4]):e(0,r[1],r[2],r[4]):null}(e);if(null===t)throw new Error("Malformed timestamp: "+r);return e=e.replace(/^[^\sa-zA-Z-]+/,""),t}function n(){e=e.replace(/^\s+/,"")}if(n(),t.startTime=i(),n(),"--\x3e"!==e.substr(0,3))throw new Error("Malformed time stamp (time stamps must be separated by '--\x3e'): "+r);e=e.substr(3),n(),t.endTime=i(),n(),function(t,e){var a=new de;ce(t,function(t,e){switch(t){case"region":for(var r=o.length-1;0<=r;r--)if(o[r].id===e){a.set(t,o[r].region);break}break;case"vertical":a.alt(t,e,["rl","lr"]);break;case"line":var i=e.split(","),n=i[0];a.integer(t,n),a.percent(t,n)&&a.set("snapToLines",!1),a.alt(t,n,["auto"]),2===i.length&&a.alt("lineAlign",i[1],["start",he,"end"]);break;case"position":i=e.split(","),a.percent(t,i[0]),2===i.length&&a.alt("positionAlign",i[1],["start",he,"end","line-left","line-right","auto"]);break;case"size":a.percent(t,e);break;case"align":a.alt(t,e,["start",he,"end","left","right"])}},/:/,/\s/),e.region=a.get("region",null),e.vertical=a.get("vertical","");var r=a.get("line","auto");"auto"===r&&-1===fe.line&&(r=-1),e.line=r,e.lineAlign=a.get("lineAlign","start"),e.snapToLines=a.get("snapToLines",!0),e.size=a.get("size",100),e.align=a.get("align",he);var i=a.get("position","auto");"auto"===i&&50===fe.position&&(i="start"===e.align||"left"===e.align?0:"end"===e.align||"right"===e.align?100:50),e.position=i}(e,t)}function ge(t){return t.replace(/<br(?: \/)?>/gi,"\n")}ue.prototype={parse:function(t){var i=this;function e(){var t=i.buffer,e=0;for(t=ge(t);e<t.length&&"\r"!==t[e]&&"\n"!==t[e];)++e;var r=t.substr(0,e);return"\r"===t[e]&&++e,"\n"===t[e]&&++e,i.buffer=t.substr(e),r}t&&(i.buffer+=i.decoder.decode(t,{stream:!0}));try{var r;if("INITIAL"===i.state){if(!/\r\n|\n/.test(i.buffer))return this;var n=(r=e()).match(/^()?WEBVTT([ \t].*)?$/);if(!n||!n[0])throw new Error("Malformed WebVTT signature.");i.state="HEADER"}for(var a=!1;i.buffer;){if(!/\r\n|\n/.test(i.buffer))return this;switch(a?a=!1:r=e(),i.state){case"HEADER":/:/.test(r)?ce(r,function(t,e){},/:/):r||(i.state="ID");continue;case"NOTE":r||(i.state="ID");continue;case"ID":if(/^NOTE($|[ \t])/.test(r)){i.state="NOTE";break}if(!r)continue;if(i.cue=new le(0,0,""),i.state="CUE",-1===r.indexOf("--\x3e")){i.cue.id=r;continue}case"CUE":try{pe(r,i.cue,i.regionList)}catch(t){i.cue=null,i.state="BADCUE";continue}i.state="CUETEXT";continue;case"CUETEXT":var o=-1!==r.indexOf("--\x3e");if(!r||o&&(a=!0)){i.oncue&&i.oncue(i.cue),i.cue=null,i.state="ID";continue}i.cue.text&&(i.cue.text+="\n"),i.cue.text+=r;continue;case"BADCUE":r||(i.state="ID");continue}}}catch(t){"CUETEXT"===i.state&&i.cue&&i.oncue&&i.oncue(i.cue),i.cue=null,i.state="INITIAL"===i.state?"BADWEBVTT":"BADCUE"}return this},flush:function(){try{if(this.buffer+=this.decoder.decode(),!this.cue&&"HEADER"!==this.state||(this.buffer+="\n\n",this.parse()),"INITIAL"===this.state)throw new Error("Malformed WebVTT signature.")}catch(t){throw t}return this.onflush&&this.onflush(),this}};var me=ue;function ve(t,e,r,i){for(var n,a,o,s,l,u=window.VTTCue||TextTrackCue,d=0;d<i.rows.length;d++)if(o=!0,s=0,l="",!(n=i.rows[d]).isEmpty()){for(var c=0;c<n.chars.length;c++)n.chars[c].uchar.match(/\s/)&&o?s++:(l+=n.chars[c].uchar,o=!1);(n.cueStartTime=e)===r&&(r+=1e-4),a=new u(e,r,ge(l.trim())),16<=s?s--:s++,navigator.userAgent.match(/Firefox\//)?a.line=d+1:a.line=7<d?d-2:d+1,a.align="left",a.position=Math.max(0,Math.min(100,s/32*100)),t.addCue(a)}}function ye(t){var e=t;return be.hasOwnProperty(t)&&(e=be[t]),String.fromCharCode(e)}var Ae,_e,be={42:225,92:233,94:237,95:243,96:250,123:231,124:247,125:209,126:241,127:9608,128:174,129:176,130:189,131:191,132:8482,133:162,134:163,135:9834,136:224,137:32,138:232,139:226,140:234,141:238,142:244,143:251,144:193,145:201,146:211,147:218,148:220,149:252,150:8216,151:161,152:42,153:8217,154:9473,155:169,156:8480,157:8226,158:8220,159:8221,160:192,161:194,162:199,163:200,164:202,165:203,166:235,167:206,168:207,169:239,170:212,171:217,172:249,173:219,174:171,175:187,176:195,177:227,178:205,179:204,180:236,181:210,182:242,183:213,184:245,185:123,186:125,187:92,188:94,189:95,190:124,191:8764,192:196,193:228,194:214,195:246,196:223,197:165,198:164,199:9475,200:197,201:229,202:216,203:248,204:9487,205:9491,206:9495,207:9499},Ee={17:1,18:3,21:5,22:7,23:9,16:11,19:12,20:14},Te={17:2,18:4,21:6,22:8,23:10,19:13,20:15},Se={25:1,26:3,29:5,30:7,31:9,24:11,27:12,28:14},ke={25:2,26:4,29:6,30:8,31:10,27:13,28:15},Le=["white","green","blue","cyan","red","yellow","magenta","black","transparent"];(_e=Ae||(Ae={}))[_e.ERROR=0]="ERROR",_e[_e.TEXT=1]="TEXT",_e[_e.WARNING=2]="WARNING",_e[_e.INFO=2]="INFO",_e[_e.DEBUG=3]="DEBUG",_e[_e.DATA=3]="DATA";function Re(t){for(var e=[],r=0;r<t.length;r++)e.push(t[r].toString(16));return e}function Ce(t,e,r){return t.substr(r||0,e.length)===e}function we(t){for(var e=5381,r=t.length;r;)e=33*e^t.charCodeAt(--r);return(e>>>0).toString()}var Oe={verboseFilter:{DATA:3,DEBUG:3,INFO:2,WARNING:2,TEXT:1,ERROR:0},time:null,verboseLevel:0,setTime:function(t){this.time=t},log:function(t,e){this.verboseFilter[t];this.verboseLevel}},Pe=function(){function t(t,e,r,i,n){this.foreground=void 0,this.underline=void 0,this.italics=void 0,this.background=void 0,this.flash=void 0,this.foreground=t||"white",this.underline=e||!1,this.italics=r||!1,this.background=i||"black",this.flash=n||!1}var e=t.prototype;return e.reset=function(){this.foreground="white",this.underline=!1,this.italics=!1,this.background="black",this.flash=!1},e.setStyles=function(t){for(var e=["foreground","underline","italics","background","flash"],r=0;r<e.length;r++){var i=e[r];t.hasOwnProperty(i)&&(this[i]=t[i])}},e.isDefault=function(){return"white"===this.foreground&&!this.underline&&!this.italics&&"black"===this.background&&!this.flash},e.equals=function(t){return this.foreground===t.foreground&&this.underline===t.underline&&this.italics===t.italics&&this.background===t.background&&this.flash===t.flash},e.copy=function(t){this.foreground=t.foreground,this.underline=t.underline,this.italics=t.italics,this.background=t.background,this.flash=t.flash},e.toString=function(){return"color="+this.foreground+", underline="+this.underline+", italics="+this.italics+", background="+this.background+", flash="+this.flash},t}(),De=function(){function t(t,e,r,i,n,a){this.uchar=void 0,this.penState=void 0,this.uchar=t||" ",this.penState=new Pe(e,r,i,n,a)}var e=t.prototype;return e.reset=function(){this.uchar=" ",this.penState.reset()},e.setChar=function(t,e){this.uchar=t,this.penState.copy(e)},e.setPenState=function(t){this.penState.copy(t)},e.equals=function(t){return this.uchar===t.uchar&&this.penState.equals(t.penState)},e.copy=function(t){this.uchar=t.uchar,this.penState.copy(t.penState)},e.isEmpty=function(){return" "===this.uchar&&this.penState.isDefault()},t}(),Ie=function(){function t(){this.chars=void 0,this.pos=void 0,this.currPenState=void 0,this.cueStartTime=void 0,this.chars=[];for(var t=0;t<100;t++)this.chars.push(new De);this.pos=0,this.currPenState=new Pe}var e=t.prototype;return e.equals=function(t){for(var e=!0,r=0;r<100;r++)if(!this.chars[r].equals(t.chars[r])){e=!1;break}return e},e.copy=function(t){for(var e=0;e<100;e++)this.chars[e].copy(t.chars[e])},e.isEmpty=function(){for(var t=!0,e=0;e<100;e++)if(!this.chars[e].isEmpty()){t=!1;break}return t},e.setCursor=function(t){this.pos!==t&&(this.pos=t),this.pos<0?(Oe.log("ERROR","Negative cursor position "+this.pos),this.pos=0):100<this.pos&&(Oe.log("ERROR","Too large cursor position "+this.pos),this.pos=100)},e.moveCursor=function(t){var e=this.pos+t;if(1<t)for(var r=this.pos+1;r<e+1;r++)this.chars[r].setPenState(this.currPenState);this.setCursor(e)},e.backSpace=function(){this.moveCursor(-1),this.chars[this.pos].setChar(" ",this.currPenState)},e.insertChar=function(t){144<=t&&this.backSpace();var e=ye(t);100<=this.pos?Oe.log("ERROR","Cannot insert "+t.toString(16)+" ("+e+") at position "+this.pos+". Skipping it!"):(this.chars[this.pos].setChar(e,this.currPenState),this.moveCursor(1))},e.clearFromPos=function(t){var e;for(e=t;e<100;e++)this.chars[e].reset()},e.clear=function(){this.clearFromPos(0),this.pos=0,this.currPenState.reset()},e.clearToEndOfRow=function(){this.clearFromPos(this.pos)},e.getTextString=function(){for(var t=[],e=!0,r=0;r<100;r++){var i=this.chars[r].uchar;" "!==i&&(e=!1),t.push(i)}return e?"":t.join("")},e.setPenStyles=function(t){this.currPenState.setStyles(t),this.chars[this.pos].setPenState(this.currPenState)},t}(),xe=function(){function t(){this.rows=void 0,this.currRow=void 0,this.nrRollUpRows=void 0,this.lastOutputScreen=void 0,this.rows=[];for(var t=0;t<15;t++)this.rows.push(new Ie);this.currRow=14,this.nrRollUpRows=null,this.reset()}var e=t.prototype;return e.reset=function(){for(var t=0;t<15;t++)this.rows[t].clear();this.currRow=14},e.equals=function(t){for(var e=!0,r=0;r<15;r++)if(!this.rows[r].equals(t.rows[r])){e=!1;break}return e},e.copy=function(t){for(var e=0;e<15;e++)this.rows[e].copy(t.rows[e])},e.isEmpty=function(){for(var t=!0,e=0;e<15;e++)if(!this.rows[e].isEmpty()){t=!1;break}return t},e.backSpace=function(){this.rows[this.currRow].backSpace()},e.clearToEndOfRow=function(){this.rows[this.currRow].clearToEndOfRow()},e.insertChar=function(t){this.rows[this.currRow].insertChar(t)},e.setPen=function(t){this.rows[this.currRow].setPenStyles(t)},e.moveCursor=function(t){this.rows[this.currRow].moveCursor(t)},e.setCursor=function(t){Oe.log("INFO","setCursor: "+t),this.rows[this.currRow].setCursor(t)},e.setPAC=function(t){Oe.log("INFO","pacData = "+JSON.stringify(t));var e=t.row-1;if(this.nrRollUpRows&&e<this.nrRollUpRows-1&&(e=this.nrRollUpRows-1),this.nrRollUpRows&&this.currRow!==e){for(var r=0;r<15;r++)this.rows[r].clear();var i=this.currRow+1-this.nrRollUpRows,n=this.lastOutputScreen;if(n){var a=n.rows[i].cueStartTime;if(a&&Oe.time&&a<Oe.time)for(var o=0;o<this.nrRollUpRows;o++)this.rows[e-this.nrRollUpRows+o+1].copy(n.rows[i+o])}}this.currRow=e;var s=this.rows[this.currRow];if(null!==t.indent){var l=t.indent,u=Math.max(l-1,0);s.setCursor(t.indent),t.color=s.chars[u].penState.foreground}var d={foreground:t.color,underline:t.underline,italics:t.italics,background:"black",flash:!1};this.setPen(d)},e.setBkgData=function(t){Oe.log("INFO","bkgData = "+JSON.stringify(t)),this.backSpace(),this.setPen(t),this.insertChar(32)},e.setRollUpRows=function(t){this.nrRollUpRows=t},e.rollUp=function(){if(null!==this.nrRollUpRows){Oe.log("TEXT",this.getDisplayText());var t=this.currRow+1-this.nrRollUpRows,e=this.rows.splice(t,1)[0];e.clear(),this.rows.splice(this.currRow,0,e),Oe.log("INFO","Rolling up")}else Oe.log("DEBUG","roll_up but nrRollUpRows not set yet")},e.getDisplayText=function(t){t=t||!1;for(var e=[],r="",i=-1,n=0;n<15;n++){var a=this.rows[n].getTextString();a&&(i=n+1,t?e.push("Row "+i+": '"+a+"'"):e.push(a.trim()))}return 0<e.length&&(r=t?"["+e.join(" | ")+"]":e.join("\n")),r},e.getTextAndFormat=function(){return this.rows},t}(),Me=function(){function t(t,e){this.chNr=void 0,this.outputFilter=void 0,this.mode=void 0,this.verbose=void 0,this.displayedMemory=void 0,this.nonDisplayedMemory=void 0,this.lastOutputScreen=void 0,this.currRollUpRow=void 0,this.writeScreen=void 0,this.cueStartTime=void 0,this.lastCueEndTime=void 0,this.chNr=t,this.outputFilter=e,this.mode=null,this.verbose=0,this.displayedMemory=new xe,this.nonDisplayedMemory=new xe,this.lastOutputScreen=new xe,this.currRollUpRow=this.displayedMemory.rows[14],this.writeScreen=this.displayedMemory,this.mode=null,this.cueStartTime=null}var e=t.prototype;return e.reset=function(){this.mode=null,this.displayedMemory.reset(),this.nonDisplayedMemory.reset(),this.lastOutputScreen.reset(),this.currRollUpRow=this.displayedMemory.rows[14],this.writeScreen=this.displayedMemory,this.mode=null,this.cueStartTime=null},e.getHandler=function(){return this.outputFilter},e.setHandler=function(t){this.outputFilter=t},e.setPAC=function(t){this.writeScreen.setPAC(t)},e.setBkgData=function(t){this.writeScreen.setBkgData(t)},e.setMode=function(t){t!==this.mode&&(this.mode=t,Oe.log("INFO","MODE="+t),"MODE_POP-ON"===this.mode?this.writeScreen=this.nonDisplayedMemory:(this.writeScreen=this.displayedMemory,this.writeScreen.reset()),"MODE_ROLL-UP"!==this.mode&&(this.displayedMemory.nrRollUpRows=null,this.nonDisplayedMemory.nrRollUpRows=null),this.mode=t)},e.insertChars=function(t){for(var e=0;e<t.length;e++)this.writeScreen.insertChar(t[e]);var r=this.writeScreen===this.displayedMemory?"DISP":"NON_DISP";Oe.log("INFO",r+": "+this.writeScreen.getDisplayText(!0)),"MODE_PAINT-ON"!==this.mode&&"MODE_ROLL-UP"!==this.mode||(Oe.log("TEXT","DISPLAYED: "+this.displayedMemory.getDisplayText(!0)),this.outputDataUpdate())},e.ccRCL=function(){Oe.log("INFO","RCL - Resume Caption Loading"),this.setMode("MODE_POP-ON")},e.ccBS=function(){Oe.log("INFO","BS - BackSpace"),"MODE_TEXT"!==this.mode&&(this.writeScreen.backSpace(),this.writeScreen===this.displayedMemory&&this.outputDataUpdate())},e.ccAOF=function(){},e.ccAON=function(){},e.ccDER=function(){Oe.log("INFO","DER- Delete to End of Row"),this.writeScreen.clearToEndOfRow(),this.outputDataUpdate()},e.ccRU=function(t){Oe.log("INFO","RU("+t+") - Roll Up"),this.writeScreen=this.displayedMemory,this.setMode("MODE_ROLL-UP"),this.writeScreen.setRollUpRows(t)},e.ccFON=function(){Oe.log("INFO","FON - Flash On"),this.writeScreen.setPen({flash:!0})},e.ccRDC=function(){Oe.log("INFO","RDC - Resume Direct Captioning"),this.setMode("MODE_PAINT-ON")},e.ccTR=function(){Oe.log("INFO","TR"),this.setMode("MODE_TEXT")},e.ccRTD=function(){Oe.log("INFO","RTD"),this.setMode("MODE_TEXT")},e.ccEDM=function(){Oe.log("INFO","EDM - Erase Displayed Memory"),this.displayedMemory.reset(),this.outputDataUpdate(!0)},e.ccCR=function(){Oe.log("INFO","CR - Carriage Return"),this.writeScreen.rollUp(),this.outputDataUpdate(!0)},e.ccENM=function(){Oe.log("INFO","ENM - Erase Non-displayed Memory"),this.nonDisplayedMemory.reset()},e.ccEOC=function(){if(Oe.log("INFO","EOC - End Of Caption"),"MODE_POP-ON"===this.mode){var t=this.displayedMemory;this.displayedMemory=this.nonDisplayedMemory,this.nonDisplayedMemory=t,this.writeScreen=this.nonDisplayedMemory,Oe.log("TEXT","DISP: "+this.displayedMemory.getDisplayText())}this.outputDataUpdate(!0)},e.ccTO=function(t){Oe.log("INFO","TO("+t+") - Tab Offset"),this.writeScreen.moveCursor(t)},e.ccMIDROW=function(t){var e={flash:!1};if(e.underline=t%2==1,e.italics=46<=t,e.italics)e.foreground="white";else{var r=Math.floor(t/2)-16;e.foreground=["white","green","blue","cyan","red","yellow","magenta"][r]}Oe.log("INFO","MIDROW: "+JSON.stringify(e)),this.writeScreen.setPen(e)},e.outputDataUpdate=function(t){void 0===t&&(t=!1);var e=Oe.time;null!==e&&this.outputFilter&&(null!==this.cueStartTime||this.displayedMemory.isEmpty()?this.displayedMemory.equals(this.lastOutputScreen)||(this.outputFilter.newCue(this.cueStartTime,e,this.lastOutputScreen),t&&this.outputFilter.dispatchCue&&this.outputFilter.dispatchCue(),this.cueStartTime=this.displayedMemory.isEmpty()?null:e):this.cueStartTime=e,this.lastOutputScreen.copy(this.displayedMemory))},e.cueSplitAtTime=function(t){this.outputFilter&&(this.displayedMemory.isEmpty()||(this.outputFilter.newCue&&this.outputFilter.newCue(this.cueStartTime,t,this.displayedMemory),this.cueStartTime=t))},t}(),Ne=function(){function t(t,e,r){this.field=void 0,this.outputs=void 0,this.channels=void 0,this.currChNr=void 0,this.lastCmdA=void 0,this.lastCmdB=void 0,this.lastTime=void 0,this.dataCounters=void 0,this.field=t||1,this.outputs=[e,r],this.channels=[new Me(1,e),new Me(2,r)],this.currChNr=-1,this.lastCmdA=null,this.lastCmdB=null,this.lastTime=null,this.dataCounters={padding:0,char:0,cmd:0,other:0}}var e=t.prototype;return e.getHandler=function(t){return this.channels[t].getHandler()},e.setHandler=function(t,e){this.channels[t].setHandler(e)},e.addData=function(t,e){var r,i,n,a=!1;this.lastTime=t,Oe.setTime(t);for(var o=0;o<e.length;o+=2)if(i=127&e[o],n=127&e[o+1],0!=i||0!=n){if(Oe.log("DATA","["+Re([e[o],e[o+1]])+"] -> ("+Re([i,n])+")"),(r=this.parseCmd(i,n))||(r=this.parseMidrow(i,n)),r||(r=this.parsePAC(i,n)),r||(r=this.parseBackgroundAttributes(i,n)),!r)if(a=this.parseChars(i,n))if(this.currChNr&&0<=this.currChNr)this.channels[this.currChNr-1].insertChars(a);else Oe.log("WARNING","No channel found yet. TEXT-MODE?");r?this.dataCounters.cmd+=2:a?this.dataCounters.char+=2:(this.dataCounters.other+=2,Oe.log("WARNING","Couldn't parse cleaned data "+Re([i,n])+" orig: "+Re([e[o],e[o+1]])))}else this.dataCounters.padding+=2},e.parseCmd=function(t,e){var r=null;if(!((20===t||28===t)&&32<=e&&e<=47)&&!((23===t||31===t)&&33<=e&&e<=35))return!1;if(t===this.lastCmdA&&e===this.lastCmdB)return this.lastCmdA=null,this.lastCmdB=null,Oe.log("DEBUG","Repeated command ("+Re([t,e])+") is dropped"),!0;r=20===t||23===t?1:2;var i=this.channels[r-1];return 20===t||28===t?32===e?i.ccRCL():33===e?i.ccBS():34===e?i.ccAOF():35===e?i.ccAON():36===e?i.ccDER():37===e?i.ccRU(2):38===e?i.ccRU(3):39===e?i.ccRU(4):40===e?i.ccFON():41===e?i.ccRDC():42===e?i.ccTR():43===e?i.ccRTD():44===e?i.ccEDM():45===e?i.ccCR():46===e?i.ccENM():47===e&&i.ccEOC():i.ccTO(e-32),this.lastCmdA=t,this.lastCmdB=e,this.currChNr=r,!0},e.parseMidrow=function(t,e){var r=null;return(17===t||25===t)&&32<=e&&e<=47&&((r=17===t?1:2)!==this.currChNr?(Oe.log("ERROR","Mismatch channel in midrow parsing"),!1):(this.channels[r-1].ccMIDROW(e),Oe.log("DEBUG","MIDROW ("+Re([t,e])+")"),!0))},e.parsePAC=function(t,e){var r,i=null;if(!((17<=t&&t<=23||25<=t&&t<=31)&&64<=e&&e<=127)&&!((16===t||24===t)&&64<=e&&e<=95))return!1;if(t===this.lastCmdA&&e===this.lastCmdB)return this.lastCmdA=null,!(this.lastCmdB=null);r=t<=23?1:2,i=64<=e&&e<=95?1==r?Ee[t]:Se[t]:1==r?Te[t]:ke[t];var n=this.interpretPAC(i,e);return this.channels[r-1].setPAC(n),this.lastCmdA=t,this.lastCmdB=e,this.currChNr=r,!0},e.interpretPAC=function(t,e){var r=e,i={color:null,italics:!1,indent:null,underline:!1,row:t};return r=95<e?e-96:e-64,i.underline=1==(1&r),r<=13?i.color=["white","green","blue","cyan","red","yellow","magenta","white"][Math.floor(r/2)]:r<=15?(i.italics=!0,i.color="white"):i.indent=4*Math.floor((r-16)/2),i},e.parseChars=function(t,e){var r=null,i=null,n=null;if(17<=(n=25<=t?(r=2,t-8):(r=1,t))&&n<=19){var a=e;a=17===n?e+80:18===n?e+112:e+144,Oe.log("INFO","Special char '"+ye(a)+"' in channel "+r),i=[a]}else 32<=t&&t<=127&&(i=0===e?[t]:[t,e]);if(i){var o=Re(i);Oe.log("DEBUG","Char codes = "+o.join(",")),this.lastCmdA=null,this.lastCmdB=null}return i},e.parseBackgroundAttributes=function(t,e){var r,i,n;return((16===t||24===t)&&32<=e&&e<=47||(23===t||31===t)&&45<=e&&e<=47)&&(r={},16===t||24===t?(i=Math.floor((e-32)/2),r.background=Le[i],e%2==1&&(r.background=r.background+"_semi")):45===e?r.background="transparent":(r.foreground="black",47===e&&(r.underline=!0)),n=t<24?1:2,this.channels[n-1].setBkgData(r),this.lastCmdA=null,!(this.lastCmdB=null))},e.reset=function(){for(var t=0;t<this.channels.length;t++)this.channels[t]&&this.channels[t].reset();this.lastCmdA=null,this.lastCmdB=null},e.cueSplitAtTime=function(t){for(var e=0;e<this.channels.length;e++)this.channels[e]&&this.channels[e].cueSplitAtTime(t)},t}(),Fe=function(){function t(t,e){this.timelineController=void 0,this.trackName=void 0,this.startTime=void 0,this.endTime=void 0,this.screen=void 0,this.timelineController=t,this.trackName=e,this.startTime=null,this.endTime=null,this.screen=null}var e=t.prototype;return e.dispatchCue=function(){null!==this.startTime&&(this.timelineController.addCues(this.trackName,this.startTime,this.endTime,this.screen),this.startTime=null)},e.newCue=function(t,e,r){(null===this.startTime||this.startTime>t)&&(this.startTime=t),this.endTime=e,this.screen=r,this.timelineController.createCaptionsTrack(this.trackName)},t}(),Be={parse:function(t,e,i,n,r,a){var o,s=Object(Ft.utf8ArrayToStr)(new Uint8Array(t)).trim().replace(/\r\n|\n\r|\n|\r/g,"\n").split("\n"),l="00:00.000",u=0,d=0,c=0,f=[],h=!0,p=!1,g=new me;g.oncue=function(t){var e=i[n],r=i.ccOffset;e&&e.new&&(void 0!==d?r=i.ccOffset=e.start:function(t,e,r){var i=t[e],n=t[i.prevCC];if(!n||!n.new&&i.new)return t.ccOffset=t.presentationOffset=i.start,i.new=!1;for(;n&&n.new;)t.ccOffset+=i.start-n.start,i.new=!1,n=t[(i=n).prevCC];t.presentationOffset=r}(i,n,c)),c&&(r=c-i.presentationOffset),p&&(t.startTime+=r-d,t.endTime+=r-d),t.id=we(t.startTime.toString())+we(t.endTime.toString())+we(t.text),t.text=decodeURIComponent(encodeURIComponent(t.text)),0<t.endTime&&f.push(t)},g.onparsingerror=function(t){o=t},g.onflush=function(){o&&a?a(o):r(f)},s.forEach(function(t){if(h){if(Ce(t,"X-TIMESTAMP-MAP=")){p=!(h=!1),t.substr(16).split(",").forEach(function(t){Ce(t,"LOCAL:")?l=t.substr(6):Ce(t,"MPEGTS:")&&(u=parseInt(t.substr(7)))});try{e+(9e4*i[n].start||0)<0&&(e+=8589934592),u-=e,d=function(t){var e=parseInt(t.substr(-3)),r=parseInt(t.substr(-6,2)),i=parseInt(t.substr(-9,2)),n=9<t.length?parseInt(t.substr(0,t.indexOf(":"))):0;if(!(Object(I.isFiniteNumber)(e)&&Object(I.isFiniteNumber)(r)&&Object(I.isFiniteNumber)(i)&&Object(I.isFiniteNumber)(n)))throw Error("Malformed X-TIMESTAMP-MAP: Local:"+t);return e+=1e3*r,e+=6e4*i,e+=36e5*n}(l)/1e3,c=u/9e4}catch(t){p=!1,o=t}return}""===t&&(h=!1)}g.parse(t+"\n")}),g.flush()}};function Ue(t){if(void 0===t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return t}var je=function(n){function t(t){var e;if((e=n.call(this,t,x.default.MEDIA_ATTACHING,x.default.MEDIA_DETACHING,x.default.FRAG_PARSING_USERDATA,x.default.FRAG_DECRYPTED,x.default.MANIFEST_LOADING,x.default.MANIFEST_LOADED,x.default.FRAG_LOADED,x.default.INIT_PTS_FOUND)||this).media=null,e.config=void 0,e.enabled=!0,e.Cues=void 0,e.textTracks=[],e.tracks=[],e.initPTS=[],e.unparsedVttFrags=[],e.cueRanges=[],e.captionsTracks={},e.captionsProperties=void 0,e.cea608Parser=void 0,e.lastSn=-1,e.prevCC=-1,e.vttCCs=null,e.hls=t,e.config=t.config,e.Cues=t.config.cueHandler,e.captionsProperties={textTrack1:{label:e.config.captionsTextTrack1Label,languageCode:e.config.captionsTextTrack1LanguageCode},textTrack2:{label:e.config.captionsTextTrack2Label,languageCode:e.config.captionsTextTrack2LanguageCode}},e.config.enableCEA708Captions){var r=new Fe(Ue(e),"textTrack1"),i=new Fe(Ue(e),"textTrack2");e.cea608Parser=new Ne(0,r,i)}return e}!function(t,e){t.prototype=Object.create(e.prototype),(t.prototype.constructor=t).__proto__=e}(t,n);var e=t.prototype;return e.addCues=function(t,e,r,i){for(var n,a,o,s,l=this.cueRanges,u=!1,d=l.length;d--;){var c=l[d],f=(n=c[0],a=c[1],o=e,s=r,Math.min(a,s)-Math.max(n,o));if(0<=f&&(c[0]=Math.min(c[0],e),c[1]=Math.max(c[1],r),u=!0,.5<f/(r-e)))return}u||l.push([e,r]),this.Cues.newCue(this.captionsTracks[t],e,r,i)},e.onInitPtsFound=function(t){var e=this,r=t.frag,i=t.id,n=t.initPTS,a=this.unparsedVttFrags;"main"===i&&(this.initPTS[r.cc]=n),a.length&&(this.unparsedVttFrags=[],a.forEach(function(t){e.onFragLoaded(t)}))},e.getExistingTrack=function(t){var e=this.media;if(e)for(var r=0;r<e.textTracks.length;r++){var i=e.textTracks[r];if(i[t])return i}return null},e.createCaptionsTrack=function(t){var e=this.captionsProperties,r=this.captionsTracks,i=this.media,n=e[t],a=n.label,o=n.languageCode;if(!r[t]){var s=this.getExistingTrack(t);if(s)r[t]=s,Ut(r[t]),Bt(r[t],i);else{var l=this.createTextTrack("captions",a,o);l&&(l[t]=!0,r[t]=l)}}},e.createTextTrack=function(t,e,r){var i=this.media;if(i)return i.addTextTrack(t,e,r)},e.destroy=function(){n.prototype.destroy.call(this)},e.onMediaAttaching=function(t){this.media=t.media,this._cleanTracks()},e.onMediaDetaching=function(){var e=this.captionsTracks;Object.keys(e).forEach(function(t){Ut(e[t]),delete e[t]})},e.onManifestLoading=function(){this.lastSn=-1,this.prevCC=-1,this.vttCCs={ccOffset:0,presentationOffset:0,0:{start:0,prevCC:-1,new:!1}},this._cleanTracks()},e._cleanTracks=function(){var t=this.media;if(t){var e=t.textTracks;if(e)for(var r=0;r<e.length;r++)Ut(e[r])}},e.onManifestLoaded=function(t){var s=this;if(this.textTracks=[],this.unparsedVttFrags=this.unparsedVttFrags||[],this.initPTS=[],this.cueRanges=[],this.config.enableWebVTT){this.tracks=t.subtitles||[];var l=this.media?this.media.textTracks:[];this.tracks.forEach(function(t,e){var r,i,n;if(e<l.length){for(var a=null,o=0;o<l.length;o++)if(i=l[o],n=t,i&&i.label===n.name&&!i.textTrack1&&!i.textTrack2){a=l[o];break}a&&(r=a)}r||(r=s.createTextTrack("subtitles",t.name,t.lang)),t.default?r.mode=s.hls.subtitleDisplay?"showing":"hidden":r.mode="disabled",s.textTracks.push(r)})}},e.onFragLoaded=function(t){var e=t.frag,r=t.payload,i=this.cea608Parser,n=this.initPTS,a=this.lastSn,o=this.unparsedVttFrags;if("main"===e.type){var s=e.sn;e.sn!==a+1&&i&&i.reset(),this.lastSn=s}else if("subtitle"===e.type)if(r.byteLength){if(!Object(I.isFiniteNumber)(n[e.cc]))return o.push(t),void(n.length&&this.hls.trigger(x.default.SUBTITLE_FRAG_PROCESSED,{success:!1,frag:e}));var l=e.decryptdata;null!=l&&null!=l.key&&"AES-128"===l.method||this._parseVTTs(e,r)}else this.hls.trigger(x.default.SUBTITLE_FRAG_PROCESSED,{success:!1,frag:e})},e._parseVTTs=function(e,t){var r=this.hls,i=this.prevCC,n=this.textTracks,a=this.vttCCs;a[e.cc]||(a[e.cc]={start:e.start,prevCC:i,new:!0},this.prevCC=e.cc),Be.parse(t,this.initPTS[e.cc],a,e.cc,function(t){var i=n[e.level];"disabled"!==i.mode?(t.forEach(function(e){if(!i.cues.getCueById(e.id))try{if(i.addCue(e),!i.cues.getCueById(e.id))throw new Error("addCue is failed for: "+e)}catch(t){M.logger.debug("Failed occurred on adding cues: "+t);var r=new window.TextTrackCue(e.startTime,e.endTime,e.text);r.id=e.id,i.addCue(r)}}),r.trigger(x.default.SUBTITLE_FRAG_PROCESSED,{success:!0,frag:e})):r.trigger(x.default.SUBTITLE_FRAG_PROCESSED,{success:!1,frag:e})},function(t){M.logger.log("Failed to parse VTT cue: "+t),r.trigger(x.default.SUBTITLE_FRAG_PROCESSED,{success:!1,frag:e})})},e.onFragDecrypted=function(t){var e=t.frag,r=t.payload;if("subtitle"===e.type){if(!Object(I.isFiniteNumber)(this.initPTS[e.cc]))return void this.unparsedVttFrags.push(t);this._parseVTTs(e,r)}},e.onFragParsingUserdata=function(t){if(this.enabled&&this.cea608Parser)for(var e=0;e<t.samples.length;e++){var r=t.samples[e].bytes;if(r){var i=this.extractCea608Data(r);this.cea608Parser.addData(t.samples[e].pts,i)}}},e.extractCea608Data=function(t){for(var e,r,i,n=31&t[0],a=2,o=[],s=0;s<n;s++)e=t[a++],r=127&t[a++],i=127&t[a++],0==r&&0==i||0!=(4&e)&&0==(3&e)&&(o.push(r),o.push(i));return o},t}(u);function Ke(t,e){for(var r=0;r<e.length;r++){var i=e[r];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}function Ve(t){for(var e=[],r=0;r<t.length;r++){var i=t[r];"subtitles"===i.kind&&i.label&&e.push(t[r])}return e}var Ge=function(r){function t(t){var e;return(e=r.call(this,t,x.default.MEDIA_ATTACHED,x.default.MEDIA_DETACHING,x.default.MANIFEST_LOADED,x.default.SUBTITLE_TRACK_LOADED)||this).tracks=[],e.trackId=-1,e.media=null,e.stopped=!0,e.subtitleDisplay=!0,e.queuedDefaultTrack=null,e}!function(t,e){t.prototype=Object.create(e.prototype),(t.prototype.constructor=t).__proto__=e}(t,r);var e=t.prototype;return e.destroy=function(){u.prototype.destroy.call(this)},e.onMediaAttached=function(t){var e=this;this.media=t.media,this.media&&(Object(I.isFiniteNumber)(this.queuedDefaultTrack)&&(this.subtitleTrack=this.queuedDefaultTrack,this.queuedDefaultTrack=null),this.trackChangeListener=this._onTextTracksChanged.bind(this),this.useTextTrackPolling=!(this.media.textTracks&&"onchange"in this.media.textTracks),this.useTextTrackPolling?this.subtitlePollingInterval=setInterval(function(){e.trackChangeListener()},500):this.media.textTracks.addEventListener("change",this.trackChangeListener))},e.onMediaDetaching=function(){this.media&&(this.useTextTrackPolling?clearInterval(this.subtitlePollingInterval):this.media.textTracks.removeEventListener("change",this.trackChangeListener),Object(I.isFiniteNumber)(this.subtitleTrack)&&(this.queuedDefaultTrack=this.subtitleTrack),Ve(this.media.textTracks).forEach(function(t){Ut(t)}),this.subtitleTrack=-1,this.media=null)},e.onManifestLoaded=function(t){var e=this,r=t.subtitles||[];this.tracks=r,this.hls.trigger(x.default.SUBTITLE_TRACKS_UPDATED,{subtitleTracks:r}),r.forEach(function(t){t.default&&(e.media?e.subtitleTrack=t.id:e.queuedDefaultTrack=t.id)})},e.onSubtitleTrackLoaded=function(t){var e=this,r=t.id,i=t.details,n=this.trackId,a=this.tracks,o=a[n];if(r>=a.length||r!==n||!o||this.stopped)this._clearReloadTimer();else if(M.logger.log("subtitle track "+r+" loaded"),i.live){var s=st(o.details,i,t.stats.trequest);M.logger.log("Reloading live subtitle playlist in "+s+"ms"),this.timer=setTimeout(function(){e._loadCurrentTrack()},s)}else this._clearReloadTimer()},e.startLoad=function(){this.stopped=!1,this._loadCurrentTrack()},e.stopLoad=function(){this.stopped=!0,this._clearReloadTimer()},e._clearReloadTimer=function(){this.timer&&(clearTimeout(this.timer),this.timer=null)},e._loadCurrentTrack=function(){var t=this.trackId,e=this.tracks,r=this.hls,i=e[t];t<0||!i||i.details&&!i.details.live||(M.logger.log("Loading subtitle track "+t),r.trigger(x.default.SUBTITLE_TRACK_LOADING,{url:i.url,id:t}))},e._toggleTrackModes=function(t){var e=this.media,r=this.subtitleDisplay,i=this.trackId;if(e){var n=Ve(e.textTracks);if(-1===t)[].slice.call(n).forEach(function(t){t.mode="disabled"});else{var a=n[i];a&&(a.mode="disabled")}var o=n[t];o&&(o.mode=r?"showing":"hidden")}},e._setSubtitleTrackInternal=function(t){var e=this.hls,r=this.tracks;!Object(I.isFiniteNumber)(t)||t<-1||t>=r.length||(this.trackId=t,M.logger.log("Switching to subtitle track "+t),e.trigger(x.default.SUBTITLE_TRACK_SWITCH,{id:t}),this._loadCurrentTrack())},e._onTextTracksChanged=function(){if(this.media){for(var t=-1,e=Ve(this.media.textTracks),r=0;r<e.length;r++)if("hidden"===e[r].mode)t=r;else if("showing"===e[r].mode){t=r;break}this.subtitleTrack=t}},function(t,e,r){e&&Ke(t.prototype,e),r&&Ke(t,r)}(t,[{key:"subtitleTracks",get:function(){return this.tracks}},{key:"subtitleTrack",get:function(){return this.trackId},set:function(t){this.trackId!==t&&(this._toggleTrackModes(t),this._setSubtitleTrackInternal(t))}}]),t}(u),Ye=r("./src/crypt/decrypter.js");var He,$e,ze=window.performance,We=function(i){function t(t,e){var r;return(r=i.call(this,t,x.default.MEDIA_ATTACHED,x.default.MEDIA_DETACHING,x.default.ERROR,x.default.KEY_LOADED,x.default.FRAG_LOADED,x.default.SUBTITLE_TRACKS_UPDATED,x.default.SUBTITLE_TRACK_SWITCH,x.default.SUBTITLE_TRACK_LOADED,x.default.SUBTITLE_FRAG_PROCESSED,x.default.LEVEL_UPDATED)||this).fragmentTracker=e,r.config=t.config,r.state=mt,r.tracks=[],r.tracksBuffered=[],r.currentTrackId=-1,r.decrypter=new Ye.default(t,t.config),r.lastAVStart=0,r._onMediaSeeking=r.onMediaSeeking.bind(function(t){if(void 0===t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return t}(r)),r}!function(t,e){t.prototype=Object.create(e.prototype),(t.prototype.constructor=t).__proto__=e}(t,i);var e=t.prototype;return e.onSubtitleFragProcessed=function(t){var e=t.frag,r=t.success;if(this.fragPrevious=e,this.state=yt,r){var i=this.tracksBuffered[this.currentTrackId];if(i){for(var n,a=e.start,o=0;o<i.length;o++)if(a>=i[o].start&&a<=i[o].end){n=i[o];break}var s=e.start+e.duration;n?n.end=s:(n={start:a,end:s},i.push(n))}}},e.onMediaAttached=function(t){var e=t.media;(this.media=e).addEventListener("seeking",this._onMediaSeeking),this.state=yt},e.onMediaDetaching=function(){var e=this;this.media&&(this.media.removeEventListener("seeking",this._onMediaSeeking),this.fragmentTracker.removeAllFragments(),this.currentTrackId=-1,this.tracks.forEach(function(t){e.tracksBuffered[t.id]=[]}),this.media=null,this.state=mt)},e.onError=function(t){var e=t.frag;e&&"subtitle"===e.type&&(this.state=yt)},e.onSubtitleTracksUpdated=function(t){var e=this;M.logger.log("subtitle tracks updated"),this.tracksBuffered=[],this.tracks=t.subtitleTracks,this.tracks.forEach(function(t){e.tracksBuffered[t.id]=[]})},e.onSubtitleTrackSwitch=function(t){if(this.currentTrackId=t.id,this.tracks&&this.tracks.length&&-1!==this.currentTrackId){var e=this.tracks[this.currentTrackId];e&&e.details&&this.setInterval(500)}else this.clearInterval()},e.onSubtitleTrackLoaded=function(t){var e=t.id,r=t.details,i=this.currentTrackId,n=this.tracks,a=n[i];e>=n.length||e!==i||!a||(r.live&&function(t,e,r){void 0===r&&(r=0);var i=-1;ot(t,e,function(t,e,r){e.start=t.start,i=r});var n=e.fragments;if(i<0)n.forEach(function(t){t.start+=r});else for(var a=i+1;a<n.length;a++)n[a].start=n[a-1].start+n[a-1].duration}(a.details,r,this.lastAVStart),a.details=r,this.setInterval(500))},e.onKeyLoaded=function(){this.state===_t&&(this.state=yt)},e.onFragLoaded=function(t){var e=this.fragCurrent,r=t.frag.decryptdata,i=t.frag,n=this.hls;if(this.state===bt&&e&&"subtitle"===t.frag.type&&e.sn===t.frag.sn&&0<t.payload.byteLength&&r&&r.key&&"AES-128"===r.method){var a=ze.now();this.decrypter.decrypt(t.payload,r.key.buffer,r.iv.buffer,function(t){var e=ze.now();n.trigger(x.default.FRAG_DECRYPTED,{frag:i,payload:t,stats:{tstart:a,tdecrypt:e}})})}},e.onLevelUpdated=function(t){var e=t.details.fragments;this.lastAVStart=e.length?e[0].start:0},e.doTick=function(){if(this.media)switch(this.state){case yt:var t=this.config,e=this.currentTrackId,r=this.fragmentTracker,i=this.media,n=this.tracks;if(!n||!n[e]||!n[e].details)break;var a,o=t.maxBufferHole,s=t.maxFragLookUpTolerance,l=Math.min(t.maxBufferLength,t.maxMaxBufferLength),u=$.bufferedInfo(this._getBuffered(),i.currentTime,o),d=u.end,c=u.len,f=n[e].details,h=f.fragments,p=h.length,g=h[p-1].start+h[p-1].duration;if(l<c)return;var m=this.fragPrevious;d<g?(m&&f.hasProgramDateTime&&(a=ct(h,m.endProgramDateTime,s)),a||(a=ft(m,h,d,s))):a=h[p-1],a&&a.encrypted?(M.logger.log("Loading key for "+a.sn),this.state=_t,this.hls.trigger(x.default.KEY_LOADING,{frag:a})):a&&r.getState(a)===j&&(this.fragCurrent=a,this.state=bt,this.hls.trigger(x.default.FRAG_LOADING,{frag:a}))}else this.state=yt},e.stopLoad=function(){this.lastAVStart=0,i.prototype.stopLoad.call(this)},e._getBuffered=function(){return this.tracksBuffered[this.currentTrackId]||[]},e.onMediaSeeking=function(){this.fragPrevious=null},t}(Pt);($e=He||(He={})).WIDEVINE="com.widevine.alpha",$e.PLAYREADY="com.microsoft.playready";var qe="undefined"!=typeof window&&window.navigator&&window.navigator.requestMediaKeySystemAccess?window.navigator.requestMediaKeySystemAccess.bind(window.navigator):null;function Xe(t,e){for(var r=0;r<e.length;r++){var i=e[r];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}var Ze=function(r){function t(t){var e;return(e=r.call(this,t,x.default.MEDIA_ATTACHED,x.default.MEDIA_DETACHED,x.default.MANIFEST_PARSED)||this)._widevineLicenseUrl=void 0,e._licenseXhrSetup=void 0,e._emeEnabled=void 0,e._requestMediaKeySystemAccess=void 0,e._config=void 0,e._mediaKeysList=[],e._media=null,e._hasSetMediaKeys=!1,e._requestLicenseFailureCount=0,e._onMediaEncrypted=function(t){M.logger.log('Media is encrypted using "'+t.initDataType+'" init data type'),e._attemptSetMediaKeys(),e._generateRequestWithPreferredKeySession(t.initDataType,t.initData)},e._config=t.config,e._widevineLicenseUrl=e._config.widevineLicenseUrl,e._licenseXhrSetup=e._config.licenseXhrSetup,e._emeEnabled=e._config.emeEnabled,e._requestMediaKeySystemAccess=e._config.requestMediaKeySystemAccessFunc,e}!function(t,e){t.prototype=Object.create(e.prototype),(t.prototype.constructor=t).__proto__=e}(t,r);var e=t.prototype;return e.getLicenseServerUrl=function(t){switch(t){case He.WIDEVINE:if(!this._widevineLicenseUrl)break;return this._widevineLicenseUrl}throw new Error('no license server URL configured for key-system "'+t+'"')},e._attemptKeySystemAccess=function(e,t,r){var i=this,n=function(t,e,r){switch(t){case He.WIDEVINE:return function(t,e){var r={videoCapabilities:[]};return e.forEach(function(t){r.videoCapabilities.push({contentType:'video/mp4; codecs="'+t+'"'})}),[r]}(0,r);default:throw new Error("Unknown key-system: "+t)}}(e,0,r);M.logger.log("Requesting encrypted media key-system access"),this.requestMediaKeySystemAccess(e,n).then(function(t){i._onMediaKeySystemAccessObtained(e,t)}).catch(function(t){M.logger.error('Failed to obtain key-system "'+e+'" access:',t)})},e._onMediaKeySystemAccessObtained=function(e,t){var r=this;M.logger.log('Access for key-system "'+e+'" obtained');var i={mediaKeysSessionInitialized:!1,mediaKeySystemAccess:t,mediaKeySystemDomain:e};this._mediaKeysList.push(i),t.createMediaKeys().then(function(t){i.mediaKeys=t,M.logger.log('Media-keys created for key-system "'+e+'"'),r._onMediaKeysCreated()}).catch(function(t){M.logger.error("Failed to create media-keys:",t)})},e._onMediaKeysCreated=function(){var e=this;this._mediaKeysList.forEach(function(t){t.mediaKeysSession||(t.mediaKeysSession=t.mediaKeys.createSession(),e._onNewMediaKeySession(t.mediaKeysSession))})},e._onNewMediaKeySession=function(e){var r=this;M.logger.log("New key-system session "+e.sessionId),e.addEventListener("message",function(t){r._onKeySessionMessage(e,t.message)},!1)},e._onKeySessionMessage=function(e,t){M.logger.log("Got EME message event, creating license request"),this._requestLicense(t,function(t){M.logger.log("Received license data (length: "+(t?t.byteLength:t)+"), updating key-session"),e.update(t)})},e._attemptSetMediaKeys=function(){if(!this._media)throw new Error("Attempted to set mediaKeys without first attaching a media element");if(!this._hasSetMediaKeys){var t=this._mediaKeysList[0];if(!t||!t.mediaKeys)return M.logger.error("Fatal: Media is encrypted but no CDM access or no keys have been obtained yet"),void this.hls.trigger(x.default.ERROR,{type:f.ErrorTypes.KEY_SYSTEM_ERROR,details:f.ErrorDetails.KEY_SYSTEM_NO_KEYS,fatal:!0});M.logger.log("Setting keys for encrypted media"),this._media.setMediaKeys(t.mediaKeys),this._hasSetMediaKeys=!0}},e._generateRequestWithPreferredKeySession=function(t,e){var r=this,i=this._mediaKeysList[0];if(!i)return M.logger.error("Fatal: Media is encrypted but not any key-system access has been obtained yet"),void this.hls.trigger(x.default.ERROR,{type:f.ErrorTypes.KEY_SYSTEM_ERROR,details:f.ErrorDetails.KEY_SYSTEM_NO_ACCESS,fatal:!0});if(i.mediaKeysSessionInitialized)M.logger.warn("Key-Session already initialized but requested again");else{var n=i.mediaKeysSession;if(!n)return M.logger.error("Fatal: Media is encrypted but no key-session existing"),void this.hls.trigger(x.default.ERROR,{type:f.ErrorTypes.KEY_SYSTEM_ERROR,details:f.ErrorDetails.KEY_SYSTEM_NO_SESSION,fatal:!0});if(!e)return M.logger.warn("Fatal: initData required for generating a key session is null"),void this.hls.trigger(x.default.ERROR,{type:f.ErrorTypes.KEY_SYSTEM_ERROR,details:f.ErrorDetails.KEY_SYSTEM_NO_INIT_DATA,fatal:!0});M.logger.log('Generating key-session request for "'+t+'" init data type'),i.mediaKeysSessionInitialized=!0,n.generateRequest(t,e).then(function(){M.logger.debug("Key-session generation succeeded")}).catch(function(t){M.logger.error("Error generating key-session request:",t),r.hls.trigger(x.default.ERROR,{type:f.ErrorTypes.KEY_SYSTEM_ERROR,details:f.ErrorDetails.KEY_SYSTEM_NO_SESSION,fatal:!1})})}},e._createLicenseXhr=function(e,t,r){var i=new XMLHttpRequest,n=this._licenseXhrSetup;try{if(n)try{n(i,e)}catch(t){i.open("POST",e,!0),n(i,e)}i.readyState||i.open("POST",e,!0)}catch(t){throw new Error("issue setting up KeySystem license XHR "+t)}return i.responseType="arraybuffer",i.onreadystatechange=this._onLicenseRequestReadyStageChange.bind(this,i,e,t,r),i},e._onLicenseRequestReadyStageChange=function(t,e,r,i){switch(t.readyState){case 4:if(200===t.status)this._requestLicenseFailureCount=0,M.logger.log("License request succeeded"),"arraybuffer"!==t.responseType&&M.logger.warn("xhr response type was not set to the expected arraybuffer for license request"),i(t.response);else{if(M.logger.error("License Request XHR failed ("+e+"). Status: "+t.status+" ("+t.statusText+")"),this._requestLicenseFailureCount++,3<this._requestLicenseFailureCount)return void this.hls.trigger(x.default.ERROR,{type:f.ErrorTypes.KEY_SYSTEM_ERROR,details:f.ErrorDetails.KEY_SYSTEM_LICENSE_REQUEST_FAILED,fatal:!0});var n=3-this._requestLicenseFailureCount+1;M.logger.warn("Retrying license request, "+n+" attempts left"),this._requestLicense(r,i)}}},e._generateLicenseRequestChallenge=function(t,e){switch(t.mediaKeySystemDomain){case He.WIDEVINE:return e}throw new Error("unsupported key-system: "+t.mediaKeySystemDomain)},e._requestLicense=function(t,e){M.logger.log("Requesting content license for key-system");var r=this._mediaKeysList[0];if(!r)return M.logger.error("Fatal error: Media is encrypted but no key-system access has been obtained yet"),void this.hls.trigger(x.default.ERROR,{type:f.ErrorTypes.KEY_SYSTEM_ERROR,details:f.ErrorDetails.KEY_SYSTEM_NO_ACCESS,fatal:!0});try{var i=this.getLicenseServerUrl(r.mediaKeySystemDomain),n=this._createLicenseXhr(i,t,e);M.logger.log("Sending license request to URL: "+i);var a=this._generateLicenseRequestChallenge(r,t);n.send(a)}catch(t){M.logger.error("Failure requesting DRM license: "+t),this.hls.trigger(x.default.ERROR,{type:f.ErrorTypes.KEY_SYSTEM_ERROR,details:f.ErrorDetails.KEY_SYSTEM_LICENSE_REQUEST_FAILED,fatal:!0})}},e.onMediaAttached=function(t){if(this._emeEnabled){var e=t.media;(this._media=e).addEventListener("encrypted",this._onMediaEncrypted)}},e.onMediaDetached=function(){this._media&&(this._media.removeEventListener("encrypted",this._onMediaEncrypted),this._media=null)},e.onManifestParsed=function(t){if(this._emeEnabled){var e=t.levels.map(function(t){return t.audioCodec}),r=t.levels.map(function(t){return t.videoCodec});this._attemptKeySystemAccess(He.WIDEVINE,e,r)}},function(t,e,r){e&&Xe(t.prototype,e),r&&Xe(t,r)}(t,[{key:"requestMediaKeySystemAccess",get:function(){if(!this._requestMediaKeySystemAccess)throw new Error("No requestMediaKeySystemAccess function configured");return this._requestMediaKeySystemAccess}}]),t}(u);function Qe(t,e,r){return e in t?Object.defineProperty(t,e,{value:r,enumerable:!0,configurable:!0,writable:!0}):t[e]=r,t}var Je=function(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{},i=Object.keys(r);"function"==typeof Object.getOwnPropertySymbols&&(i=i.concat(Object.getOwnPropertySymbols(r).filter(function(t){return Object.getOwnPropertyDescriptor(r,t).enumerable}))),i.forEach(function(t){Qe(e,t,r[t])})}return e}({autoStartLoad:!0,startPosition:-1,defaultAudioCodec:void 0,debug:!1,capLevelOnFPSDrop:!1,capLevelToPlayerSize:!1,initialLiveManifestSize:1,maxBufferLength:30,maxBufferSize:6e7,maxBufferHole:.5,lowBufferWatchdogPeriod:.5,highBufferWatchdogPeriod:3,nudgeOffset:.1,nudgeMaxRetry:3,maxFragLookUpTolerance:.25,liveSyncDurationCount:3,liveMaxLatencyDurationCount:1/0,liveSyncDuration:void 0,liveMaxLatencyDuration:void 0,liveDurationInfinity:!1,liveBackBufferLength:1/0,maxMaxBufferLength:600,enableWorker:!0,enableSoftwareAES:!0,manifestLoadingTimeOut:1e4,manifestLoadingMaxRetry:1,manifestLoadingRetryDelay:1e3,manifestLoadingMaxRetryTimeout:64e3,startLevel:void 0,levelLoadingTimeOut:1e4,levelLoadingMaxRetry:4,levelLoadingRetryDelay:1e3,levelLoadingMaxRetryTimeout:64e3,fragLoadingTimeOut:2e4,fragLoadingMaxRetry:6,fragLoadingRetryDelay:1e3,fragLoadingMaxRetryTimeout:64e3,startFragPrefetch:!1,fpsDroppedMonitoringPeriod:5e3,fpsDroppedMonitoringThreshold:.2,appendErrorMaxRetry:3,loader:ee,fLoader:void 0,pLoader:void 0,xhrSetup:void 0,licenseXhrSetup:void 0,abrController:Ht,bufferController:zt,capLevelController:qt,fpsController:Zt,stretchShortVideoTrack:!1,maxAudioFramesDrift:1,forceKeyFrameOnDiscontinuity:!0,abrEwmaFastLive:3,abrEwmaSlowLive:9,abrEwmaFastVoD:3,abrEwmaSlowVoD:9,abrEwmaDefaultEstimate:5e5,abrBandWidthFactor:.95,abrBandWidthUpFactor:.7,abrMaxWithRealBitrate:!1,maxStarvationDelay:4,maxLoadingDelay:4,minAutoBitrate:0,emeEnabled:!1,widevineLicenseUrl:void 0,requestMediaKeySystemAccessFunc:qe},function(){0;return{cueHandler:i,enableCEA708Captions:!0,enableWebVTT:!0,captionsTextTrack1Label:"English",captionsTextTrack1LanguageCode:"en",captionsTextTrack2Label:"Spanish",captionsTextTrack2LanguageCode:"es"}}(),{subtitleStreamController:We,subtitleTrackController:Ge,timelineController:je,audioStreamController:se,audioTrackController:ie,emeController:Ze});function tr(t,e,r){return e in t?Object.defineProperty(t,e,{value:r,enumerable:!0,configurable:!0,writable:!0}):t[e]=r,t}function er(t){if(void 0===t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return t}function rr(t,e){for(var r=0;r<e.length;r++){var i=e[r];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}function ir(t,e,r){return e&&rr(t.prototype,e),r&&rr(t,r),t}r.d(e,"default",function(){return nr});var nr=function(_){function b(t){var e;void 0===t&&(t={}),(e=_.call(this)||this).config=void 0,e._autoLevelCapping=void 0,e.abrController=void 0,e.capLevelController=void 0,e.levelController=void 0,e.streamController=void 0,e.networkControllers=void 0,e.audioTrackController=void 0,e.subtitleTrackController=void 0,e.emeController=void 0,e.coreComponents=void 0,e.media=null,e.url=null;var r=b.DefaultConfig;if((t.liveSyncDurationCount||t.liveMaxLatencyDurationCount)&&(t.liveSyncDuration||t.liveMaxLatencyDuration))throw new Error("Illegal hls.js config: don't mix up liveSyncDurationCount/liveMaxLatencyDurationCount and liveSyncDuration/liveMaxLatencyDuration");e.config=function(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{},i=Object.keys(r);"function"==typeof Object.getOwnPropertySymbols&&(i=i.concat(Object.getOwnPropertySymbols(r).filter(function(t){return Object.getOwnPropertyDescriptor(r,t).enumerable}))),i.forEach(function(t){tr(e,t,r[t])})}return e}({},r,t);var i=er(e).config;if(void 0!==i.liveMaxLatencyDurationCount&&i.liveMaxLatencyDurationCount<=i.liveSyncDurationCount)throw new Error('Illegal hls.js config: "liveMaxLatencyDurationCount" must be gt "liveSyncDurationCount"');if(void 0!==i.liveMaxLatencyDuration&&(void 0===i.liveSyncDuration||i.liveMaxLatencyDuration<=i.liveSyncDuration))throw new Error('Illegal hls.js config: "liveMaxLatencyDuration" must be gt "liveSyncDuration"');Object(M.enableLogs)(i.debug),e._autoLevelCapping=-1;var n=e.abrController=new i.abrController(er(e)),a=new i.bufferController(er(e)),o=e.capLevelController=new i.capLevelController(er(e)),s=new i.fpsController(er(e)),l=new L(er(e)),u=new B(er(e)),d=new U(er(e)),c=new jt(er(e)),f=e.levelController=new Nt(er(e)),h=new Y(er(e)),p=[f,e.streamController=new It(er(e),h)],g=i.audioStreamController;g&&p.push(new g(er(e),h)),e.networkControllers=p;var m=[l,u,d,n,a,o,s,c,h];if(g=i.audioTrackController){var v=new g(er(e));e.audioTrackController=v,m.push(v)}if(g=i.subtitleTrackController){var y=new g(er(e));e.subtitleTrackController=y,p.push(y)}if(g=i.emeController){var A=new g(er(e));e.emeController=A,m.push(A)}return(g=i.subtitleStreamController)&&p.push(new g(er(e),h)),(g=i.timelineController)&&m.push(new g(er(e))),e.coreComponents=m,e}!function(t,e){t.prototype=Object.create(e.prototype),(t.prototype.constructor=t).__proto__=e}(b,_),b.isSupported=function(){return function(){var t=X();if(!t)return!1;var e=self.SourceBuffer||self.WebKitSourceBuffer,r=t&&"function"==typeof t.isTypeSupported&&t.isTypeSupported('video/mp4; codecs="avc1.42E01E,mp4a.40.2"'),i=!e||e.prototype&&"function"==typeof e.prototype.appendBuffer&&"function"==typeof e.prototype.remove;return!!r&&!!i}()},ir(b,null,[{key:"version",get:function(){return"0.13.2"}},{key:"Events",get:function(){return x.default}},{key:"ErrorTypes",get:function(){return f.ErrorTypes}},{key:"ErrorDetails",get:function(){return f.ErrorDetails}},{key:"DefaultConfig",get:function(){return b.defaultConfig?b.defaultConfig:Je},set:function(t){b.defaultConfig=t}}]);var t=b.prototype;return t.destroy=function(){M.logger.log("destroy"),this.trigger(x.default.DESTROYING),this.detachMedia(),this.coreComponents.concat(this.networkControllers).forEach(function(t){t.destroy()}),this.url=null,this.removeAllListeners(),this._autoLevelCapping=-1},t.attachMedia=function(t){M.logger.log("attachMedia"),this.media=t,this.trigger(x.default.MEDIA_ATTACHING,{media:t})},t.detachMedia=function(){M.logger.log("detachMedia"),this.trigger(x.default.MEDIA_DETACHING),this.media=null},t.loadSource=function(t){t=s.buildAbsoluteURL(window.location.href,t,{alwaysNormalize:!0}),M.logger.log("loadSource:"+t),this.url=t,this.trigger(x.default.MANIFEST_LOADING,{url:t})},t.startLoad=function(e){void 0===e&&(e=-1),M.logger.log("startLoad("+e+")"),this.networkControllers.forEach(function(t){t.startLoad(e)})},t.stopLoad=function(){M.logger.log("stopLoad"),this.networkControllers.forEach(function(t){t.stopLoad()})},t.swapAudioCodec=function(){M.logger.log("swapAudioCodec"),this.streamController.swapAudioCodec()},t.recoverMediaError=function(){M.logger.log("recoverMediaError");var t=this.media;this.detachMedia(),t&&this.attachMedia(t)},ir(b,[{key:"levels",get:function(){return this.levelController.levels}},{key:"currentLevel",get:function(){return this.streamController.currentLevel},set:function(t){M.logger.log("set currentLevel:"+t),this.loadLevel=t,this.streamController.immediateLevelSwitch()}},{key:"nextLevel",get:function(){return this.streamController.nextLevel},set:function(t){M.logger.log("set nextLevel:"+t),this.levelController.manualLevel=t,this.streamController.nextLevelSwitch()}},{key:"loadLevel",get:function(){return this.levelController.level},set:function(t){M.logger.log("set loadLevel:"+t),this.levelController.manualLevel=t}},{key:"nextLoadLevel",get:function(){return this.levelController.nextLoadLevel},set:function(t){this.levelController.nextLoadLevel=t}},{key:"firstLevel",get:function(){return Math.max(this.levelController.firstLevel,this.minAutoLevel)},set:function(t){M.logger.log("set firstLevel:"+t),this.levelController.firstLevel=t}},{key:"startLevel",get:function(){return this.levelController.startLevel},set:function(t){M.logger.log("set startLevel:"+t),-1!==t&&(t=Math.max(t,this.minAutoLevel)),this.levelController.startLevel=t}},{key:"capLevelToPlayerSize",set:function(t){var e=!!t;e!==this.config.capLevelToPlayerSize&&(e?this.capLevelController.startCapping():(this.capLevelController.stopCapping(),this.autoLevelCapping=-1,this.streamController.nextLevelSwitch()),this.config.capLevelToPlayerSize=e)}},{key:"autoLevelCapping",get:function(){return this._autoLevelCapping},set:function(t){M.logger.log("set autoLevelCapping:"+t),this._autoLevelCapping=t}},{key:"bandwidthEstimate",get:function(){var t=this.abrController._bwEstimator;return t?t.getEstimate():NaN}},{key:"autoLevelEnabled",get:function(){return-1===this.levelController.manualLevel}},{key:"manualLevel",get:function(){return this.levelController.manualLevel}},{key:"minAutoLevel",get:function(){for(var t=this.levels,e=this.config.minAutoBitrate,r=t?t.length:0,i=0;i<r;i++){if(e<(t[i].realBitrate?Math.max(t[i].realBitrate,t[i].bitrate):t[i].bitrate))return i}return 0}},{key:"maxAutoLevel",get:function(){var t=this.levels,e=this.autoLevelCapping;return-1===e&&t&&t.length?t.length-1:e}},{key:"nextAutoLevel",get:function(){return Math.min(Math.max(this.abrController.nextAutoLevel,this.minAutoLevel),this.maxAutoLevel)},set:function(t){this.abrController.nextAutoLevel=Math.max(this.minAutoLevel,t)}},{key:"audioTracks",get:function(){var t=this.audioTrackController;return t?t.audioTracks:[]}},{key:"audioTrack",get:function(){var t=this.audioTrackController;return t?t.audioTrack:-1},set:function(t){var e=this.audioTrackController;e&&(e.audioTrack=t)}},{key:"liveSyncPosition",get:function(){return this.streamController.liveSyncPosition}},{key:"subtitleTracks",get:function(){var t=this.subtitleTrackController;return t?t.subtitleTracks:[]}},{key:"subtitleTrack",get:function(){var t=this.subtitleTrackController;return t?t.subtitleTrack:-1},set:function(t){var e=this.subtitleTrackController;e&&(e.subtitleTrack=t)}},{key:"subtitleDisplay",get:function(){var t=this.subtitleTrackController;return!!t&&t.subtitleDisplay},set:function(t){var e=this.subtitleTrackController;e&&(e.subtitleDisplay=t)}}]),b}(Q);nr.defaultConfig=void 0},"./src/polyfills/number-isFinite.js":function(t,e,r){"use strict";r.r(e),r.d(e,"isFiniteNumber",function(){return i});var i=Number.isFinite||function(t){return"number"==typeof t&&isFinite(t)}},"./src/utils/get-self-scope.js":function(t,e,r){"use strict";function i(){return"undefined"==typeof window?self:window}r.r(e),r.d(e,"getSelfScope",function(){return i})},"./src/utils/logger.js":function(t,e,r){"use strict";r.r(e),r.d(e,"enableLogs",function(){return u}),r.d(e,"logger",function(){return d});var i=r("./src/utils/get-self-scope.js");function a(){}var n={trace:a,debug:a,log:a,warn:a,info:a,error:a},o=n;var s=Object(i.getSelfScope)();function l(e){for(var t=arguments.length,r=new Array(1<t?t-1:0),i=1;i<t;i++)r[i-1]=arguments[i];r.forEach(function(t){o[t]=e[t]?e[t].bind(e):function(i){var n=s.console[i];return n?function(){for(var t=arguments.length,e=new Array(t),r=0;r<t;r++)e[r]=arguments[r];e[0]&&(e[0]=function(t,e){return e="["+t+"] > "+e}(i,e[0])),n.apply(s.console,e)}:a}(t)})}var u=function(t){if(s.console&&!0===t||"object"==typeof t){l(t,"debug","log","info","warn","error");try{o.log()}catch(t){o=n}}else o=n},d=o}},n.c=i,n.d=function(t,e,r){n.o(t,e)||Object.defineProperty(t,e,{enumerable:!0,get:r})},n.r=function(t){"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(t,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(t,"__esModule",{value:!0})},n.t=function(e,t){if(1&t&&(e=n(e)),8&t)return e;if(4&t&&"object"==typeof e&&e&&e.__esModule)return e;var r=Object.create(null);if(n.r(r),Object.defineProperty(r,"default",{enumerable:!0,value:e}),2&t&&"string"!=typeof e)for(var i in e)n.d(r,i,function(t){return e[t]}.bind(null,i));return r},n.n=function(t){var e=t&&t.__esModule?function(){return t.default}:function(){return t};return n.d(e,"a",e),e},n.o=function(t,e){return Object.prototype.hasOwnProperty.call(t,e)},n.p="/dist/",n(n.s="./src/hls.ts")).default;function n(t){if(i[t])return i[t].exports;var e=i[t]={i:t,l:!1,exports:{}};return r[t].call(e.exports,e,e.exports,n),e.l=!0,e.exports}var r,i},t.exports=i())},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=u(r(0)),n=u(r(1)),a=u(r(3)),o=u(r(2)),s=u(r(11)),l=u(r(4));function u(t){return t&&t.__esModule?t:{default:t}}r(203);var d,c=(d=s.default,(0,o.default)(f,d),f.prototype.getPlaybackType=function(){return s.default.NO_OP},(0,a.default)(f,[{key:"name",get:function(){return"html_img"}},{key:"tagName",get:function(){return"img"}},{key:"attributes",get:function(){return{"data-html-img":""}}},{key:"events",get:function(){return{load:"_onLoad",abort:"_onError",error:"_onError"}}}]),f.prototype.render=function(){return this.trigger(l.default.PLAYBACK_READY,this.name),this},f.prototype._onLoad=function(){this.trigger(l.default.PLAYBACK_ENDED,this.name)},f.prototype._onError=function(t){var e="error"===t.type?"load error":"loading aborted";this.trigger(l.default.PLAYBACK_ERROR,{message:e},this.name)},f);function f(t){(0,i.default)(this,f);var e=(0,n.default)(this,d.call(this,t));return e.el.src=t.src,e}(e.default=c).canPlay=function(t){return/\.(png|jpg|jpeg|gif|bmp|tiff|pgm|pnm|webp)(|\?.*)$/i.test(t)},t.exports=e.default},function(t,e,r){var i=r(204);"string"==typeof i&&(i=[[t.i,i,""]]);var n={singleton:!0,hmr:!0,transform:void 0,insertInto:void 0};r(10)(i,n);i.locals&&(t.exports=i.locals)},function(t,e,r){(t.exports=r(8)(!1)).push([t.i,"[data-html-img]{max-width:100%;max-height:100%}",""])},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var n=f(r(0)),a=f(r(1)),i=f(r(3)),o=f(r(2)),s=r(5),l=f(r(11)),u=f(r(7)),d=f(r(4)),c=f(r(206));function f(t){return t&&t.__esModule?t:{default:t}}r(207);var h,p=(h=l.default,(0,o.default)(g,h),(0,i.default)(g,[{key:"name",get:function(){return"no_op"}},{key:"template",get:function(){return(0,u.default)(c.default)}},{key:"attributes",get:function(){return{"data-no-op":""}}}]),g.prototype.render=function(){var t=this.options.playbackNotSupportedMessage||this.i18n.t("playback_not_supported");this.$el.html(this.template({message:t})),this.trigger(d.default.PLAYBACK_READY,this.name);var e=!(!this.options.poster||!this.options.poster.showForNoOp);return!this.options.autoPlay&&e||this._animate(),this},g.prototype._noise=function(){if(this._noiseFrameNum=(this._noiseFrameNum+1)%5,!this._noiseFrameNum){var e=this.context.createImageData(this.context.canvas.width,this.context.canvas.height),r=void 0;try{r=new Uint32Array(e.data.buffer)}catch(t){r=new Uint32Array(this.context.canvas.width*this.context.canvas.height*4);for(var i=e.data,n=0;n<i.length;n++)r[n]=i[n]}for(var t=r.length,a=6*Math.random()+4,o=0,s=0,l=0;l<t;)o<0&&(o=a*Math.random(),s=255*Math.pow(Math.random(),.4)<<24),o-=1,r[l++]=s;this.context.putImageData(e,0,0)}},g.prototype._loop=function(){var t=this;this._stop||(this._noise(),this._animationHandle=(0,s.requestAnimationFrame)(function(){return t._loop()}))},g.prototype.destroy=function(){this._animationHandle&&((0,s.cancelAnimationFrame)(this._animationHandle),this._stop=!0)},g.prototype._animate=function(){this.canvas=this.$el.find("canvas[data-no-op-canvas]")[0],this.context=this.canvas.getContext("2d"),this._loop()},g);function g(){(0,n.default)(this,g);for(var t=arguments.length,e=Array(t),r=0;r<t;r++)e[r]=arguments[r];var i=(0,a.default)(this,h.call.apply(h,[this].concat(e)));return i._noiseFrameNum=-1,i}(e.default=p).canPlay=function(t){return!0},t.exports=e.default},function(t,e){t.exports="<canvas data-no-op-canvas></canvas>\n<p data-no-op-msg><%=message%><p>\n"},function(t,e,r){var i=r(208);"string"==typeof i&&(i=[[t.i,i,""]]);var n={singleton:!0,hmr:!0,transform:void 0,insertInto:void 0};r(10)(i,n);i.locals&&(t.exports=i.locals)},function(t,e,r){(t.exports=r(8)(!1)).push([t.i,"[data-no-op]{position:absolute;height:100%;width:100%;text-align:center}[data-no-op] p[data-no-op-msg]{position:absolute;text-align:center;font-size:25px;left:0;right:0;color:#fff;padding:10px;top:50%;-webkit-transform:translateY(-50%);transform:translateY(-50%);max-height:100%;overflow:auto}[data-no-op] canvas[data-no-op-canvas]{background-color:#777;height:100%;width:100%}",""])},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=c(r(0)),n=c(r(1)),a=c(r(3)),o=c(r(2)),s=c(r(42)),l=c(r(4)),u=c(r(7)),d=c(r(210));function c(t){return t&&t.__esModule?t:{default:t}}r(211);var f,h=(f=s.default,(0,o.default)(p,f),(0,a.default)(p,[{key:"name",get:function(){return"spinner"}},{key:"attributes",get:function(){return{"data-spinner":"",class:"spinner-three-bounce"}}}]),p.prototype.onBuffering=function(){this.show()},p.prototype.onBufferFull=function(){this.hide()},p.prototype.onStop=function(){this.hide()},p.prototype.show=function(){var t=this;null===this.showTimeout&&(this.showTimeout=setTimeout(function(){return t.$el.show()},300))},p.prototype.hide=function(){null!==this.showTimeout&&(clearTimeout(this.showTimeout),this.showTimeout=null),this.$el.hide()},p.prototype.render=function(){return this.$el.html(this.template()),this.container.$el.append(this.$el),this.$el.hide(),this.container.buffering&&this.onBuffering(),this},p);function p(t){(0,i.default)(this,p);var e=(0,n.default)(this,f.call(this,t));return e.template=(0,u.default)(d.default),e.showTimeout=null,e.listenTo(e.container,l.default.CONTAINER_STATE_BUFFERING,e.onBuffering),e.listenTo(e.container,l.default.CONTAINER_STATE_BUFFERFULL,e.onBufferFull),e.listenTo(e.container,l.default.CONTAINER_STOP,e.onStop),e.listenTo(e.container,l.default.CONTAINER_ENDED,e.onStop),e.listenTo(e.container,l.default.CONTAINER_ERROR,e.onStop),e.render(),e}e.default=h,t.exports=e.default},function(t,e){t.exports="<div data-bounce1></div><div data-bounce2></div><div data-bounce3></div>\n"},function(t,e,r){var i=r(212);"string"==typeof i&&(i=[[t.i,i,""]]);var n={singleton:!0,hmr:!0,transform:void 0,insertInto:void 0};r(10)(i,n);i.locals&&(t.exports=i.locals)},function(t,e,r){(t.exports=r(8)(!1)).push([t.i,".spinner-three-bounce[data-spinner]{position:absolute;margin:0 auto;width:70px;text-align:center;z-index:999;left:0;right:0;margin-left:auto;margin-right:auto;top:50%;-webkit-transform:translateY(-50%);transform:translateY(-50%)}.spinner-three-bounce[data-spinner]>div{width:18px;height:18px;background-color:#fff;border-radius:100%;display:inline-block;-webkit-animation:bouncedelay 1.4s infinite ease-in-out;animation:bouncedelay 1.4s infinite ease-in-out;-webkit-animation-fill-mode:both;animation-fill-mode:both}.spinner-three-bounce[data-spinner] [data-bounce1]{-webkit-animation-delay:-.32s;animation-delay:-.32s}.spinner-three-bounce[data-spinner] [data-bounce2]{-webkit-animation-delay:-.16s;animation-delay:-.16s}@-webkit-keyframes bouncedelay{0%,80%,to{-webkit-transform:scale(0);transform:scale(0)}40%{-webkit-transform:scale(1);transform:scale(1)}}@keyframes bouncedelay{0%,80%,to{-webkit-transform:scale(0);transform:scale(0)}40%{-webkit-transform:scale(1);transform:scale(1)}}",""])},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i,n=r(214),a=(i=n)&&i.__esModule?i:{default:i};e.default=a.default,t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=d(r(0)),n=d(r(1)),a=d(r(3)),o=d(r(2)),s=d(r(43)),l=d(r(4)),u=d(r(6));function d(t){return t&&t.__esModule?t:{default:t}}var c,f=(c=s.default,(0,o.default)(h,c),(0,a.default)(h,[{key:"name",get:function(){return"stats"}}]),h.prototype.bindEvents=function(){this.listenTo(this.container.playback,l.default.PLAYBACK_PLAY,this.onPlay),this.listenTo(this.container,l.default.CONTAINER_STOP,this.onStop),this.listenTo(this.container,l.default.CONTAINER_ENDED,this.onStop),this.listenTo(this.container,l.default.CONTAINER_DESTROYED,this.onStop),this.listenTo(this.container,l.default.CONTAINER_STATE_BUFFERING,this.onBuffering),this.listenTo(this.container,l.default.CONTAINER_STATE_BUFFERFULL,this.onBufferFull),this.listenTo(this.container,l.default.CONTAINER_STATS_ADD,this.onStatsAdd),this.listenTo(this.container,l.default.CONTAINER_BITRATE,this.onStatsAdd),this.listenTo(this.container.playback,l.default.PLAYBACK_STATS_ADD,this.onStatsAdd)},h.prototype.setInitialAttrs=function(){this.firstPlay=!0,this.startupTime=0,this.rebufferingTime=0,this.watchingTime=0,this.rebuffers=0,this.externalMetrics={}},h.prototype.onPlay=function(){this.state="PLAYING",this.watchingTimeInit=Date.now(),this.intervalId||(this.intervalId=setInterval(this.report.bind(this),this.reportInterval))},h.prototype.onStop=function(){clearInterval(this.intervalId),this.report(),this.intervalId=void 0,this.state="STOPPED"},h.prototype.onBuffering=function(){this.firstPlay?this.startupTimeInit=Date.now():this.rebufferingTimeInit=Date.now(),this.state="BUFFERING",this.rebuffers++},h.prototype.onBufferFull=function(){this.firstPlay&&this.startupTimeInit?(this.firstPlay=!1,this.startupTime=Date.now()-this.startupTimeInit,this.watchingTimeInit=Date.now()):this.rebufferingTimeInit&&(this.rebufferingTime+=this.getRebufferingTime()),this.rebufferingTimeInit=void 0,this.state="PLAYING"},h.prototype.getRebufferingTime=function(){return Date.now()-this.rebufferingTimeInit},h.prototype.getWatchingTime=function(){return Date.now()-this.watchingTimeInit-this.rebufferingTime},h.prototype.isRebuffering=function(){return!!this.rebufferingTimeInit},h.prototype.onStatsAdd=function(t){u.default.extend(this.externalMetrics,t)},h.prototype.getStats=function(){var t={startupTime:this.startupTime,rebuffers:this.rebuffers,rebufferingTime:this.isRebuffering()?this.rebufferingTime+this.getRebufferingTime():this.rebufferingTime,watchingTime:this.isRebuffering()?this.getWatchingTime()-this.getRebufferingTime():this.getWatchingTime()};return u.default.extend(t,this.externalMetrics),t},h.prototype.report=function(){this.container.statsReport(this.getStats())},h);function h(t){(0,i.default)(this,h);var e=(0,n.default)(this,c.call(this,t));return e.setInitialAttrs(),e.reportInterval=e.options.reportInterval||5e3,e.state="IDLE",e}e.default=f,t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=c(r(0)),n=c(r(1)),a=c(r(3)),o=c(r(2)),s=c(r(42)),l=c(r(4)),u=c(r(7)),d=c(r(216));function c(t){return t&&t.__esModule?t:{default:t}}r(217);var f,h=(f=s.default,(0,o.default)(p,f),(0,a.default)(p,[{key:"name",get:function(){return"watermark"}},{key:"template",get:function(){return(0,u.default)(d.default)}}]),p.prototype.bindEvents=function(){this.listenTo(this.container,l.default.CONTAINER_PLAY,this.onPlay),this.listenTo(this.container,l.default.CONTAINER_STOP,this.onStop),this.listenTo(this.container,l.default.CONTAINER_OPTIONS_CHANGE,this.configure)},p.prototype.configure=function(){this.position=this.options.position||"bottom-right",this.options.watermark?(this.imageUrl=this.options.watermark,this.imageLink=this.options.watermarkLink,this.render()):this.$el.remove()},p.prototype.onPlay=function(){this.hidden||this.$el.show()},p.prototype.onStop=function(){this.$el.hide()},p.prototype.render=function(){this.$el.hide();var t={position:this.position,imageUrl:this.imageUrl,imageLink:this.imageLink};return this.$el.html(this.template(t)),this.container.$el.append(this.$el),this},p);function p(t){(0,i.default)(this,p);var e=(0,n.default)(this,f.call(this,t));return e.configure(),e}e.default=h,t.exports=e.default},function(t,e){t.exports='<div class="clappr-watermark" data-watermark data-watermark-<%=position %>>\n<% if(typeof imageLink !== \'undefined\') { %>\n<a target=_blank href="<%= imageLink %>">\n<% } %>\n<img src="<%= imageUrl %>">\n<% if(typeof imageLink !== \'undefined\') { %>\n</a>\n<% } %>\n</div>\n'},function(t,e,r){var i=r(218);"string"==typeof i&&(i=[[t.i,i,""]]);var n={singleton:!0,hmr:!0,transform:void 0,insertInto:void 0};r(10)(i,n);i.locals&&(t.exports=i.locals)},function(t,e,r){(t.exports=r(8)(!1)).push([t.i,".clappr-watermark[data-watermark]{position:absolute;min-width:70px;max-width:200px;width:12%;text-align:center;z-index:10}.clappr-watermark[data-watermark] a{outline:none;cursor:pointer}.clappr-watermark[data-watermark] img{max-width:100%}.clappr-watermark[data-watermark-bottom-left]{bottom:10px;left:10px}.clappr-watermark[data-watermark-bottom-right]{bottom:10px;right:42px}.clappr-watermark[data-watermark-top-left]{top:10px;left:10px}.clappr-watermark[data-watermark-top-right]{top:10px;right:37px}",""])},function(m,v,y){"use strict";(function(r){Object.defineProperty(v,"__esModule",{value:!0});var i=f(y(0)),n=f(y(1)),t=f(y(3)),e=f(y(2)),a=f(y(42)),o=f(y(4)),s=f(y(7)),l=f(y(11)),u=f(y(80)),d=f(y(220)),c=y(5);function f(t){return t&&t.__esModule?t:{default:t}}y(221);var h,p=(h=a.default,(0,e.default)(g,h),(0,t.default)(g,[{key:"name",get:function(){return"poster"}},{key:"template",get:function(){return(0,s.default)(d.default)}},{key:"shouldRender",get:function(){var t=!(!this.options.poster||!this.options.poster.showForNoOp);return"html_img"!==this.container.playback.name&&(this.container.playback.getPlaybackType()!==l.default.NO_OP||t)}},{key:"attributes",get:function(){return{class:"player-poster","data-poster":""}}},{key:"events",get:function(){return{click:"clicked"}}},{key:"showOnVideoEnd",get:function(){return!this.options.poster||this.options.poster.showOnVideoEnd||void 0===this.options.poster.showOnVideoEnd}}]),g.prototype.bindEvents=function(){this.listenTo(this.container,o.default.CONTAINER_STOP,this.onStop),this.listenTo(this.container,o.default.CONTAINER_PLAY,this.onPlay),this.listenTo(this.container,o.default.CONTAINER_STATE_BUFFERING,this.update),this.listenTo(this.container,o.default.CONTAINER_STATE_BUFFERFULL,this.update),this.listenTo(this.container,o.default.CONTAINER_OPTIONS_CHANGE,this.render),this.listenTo(this.container,o.default.CONTAINER_ERROR,this.onError),this.showOnVideoEnd&&this.listenTo(this.container,o.default.CONTAINER_ENDED,this.onStop)},g.prototype.onError=function(t){this.hasFatalError=t.level===u.default.Levels.FATAL,this.hasFatalError&&(this.hasStartedPlaying=!1,this.playRequested=!1,this.showPlayButton())},g.prototype.onPlay=function(){this.hasStartedPlaying=!0,this.update()},g.prototype.onStop=function(){this.hasStartedPlaying=!1,this.playRequested=!1,this.update()},g.prototype.updatePlayButton=function(t){!t||this.options.chromeless&&!this.options.allowUserInteraction?this.hidePlayButton():this.showPlayButton()},g.prototype.showPlayButton=function(){this.hasFatalError&&!this.options.disableErrorScreen||(this.$playButton.show(),this.$el.addClass("clickable"))},g.prototype.hidePlayButton=function(){this.$playButton.hide(),this.$el.removeClass("clickable")},g.prototype.clicked=function(){if(!this.hasStartedPlaying)return this.options.chromeless&&!this.options.allowUserInteraction||(this.playRequested=!0,this.update(),this.container.play()),!1},g.prototype.shouldHideOnPlay=function(){return!this.container.playback.isAudioOnly},g.prototype.update=function(){if(this.shouldRender){var t=!this.playRequested&&!this.hasStartedPlaying&&!this.container.buffering;this.updatePlayButton(t),this.updatePoster()}},g.prototype.updatePoster=function(){this.hasStartedPlaying?this.hidePoster():this.showPoster()},g.prototype.showPoster=function(){this.container.disableMediaControl(),this.$el.show()},g.prototype.hidePoster=function(){this.container.enableMediaControl(),this.shouldHideOnPlay()&&this.$el.hide()},g.prototype.render=function(){if(this.shouldRender){if(this.$el.html(this.template()),this.options.poster&&void 0===this.options.poster.custom){var t=this.options.poster.url||this.options.poster;this.$el.css({"background-image":"url("+t+")"})}else this.options.poster&&this.$el.css({background:this.options.poster.custom});this.container.$el.append(this.el),this.$playWrapper=this.$el.find(".play-wrapper"),this.$playWrapper.append(c.SvgIcons.play),this.$playButton=this.$playWrapper.find("svg"),this.$playButton.addClass("poster-icon"),this.$playButton.attr("data-poster","");var e=this.options.mediacontrol&&this.options.mediacontrol.buttons;return e&&this.$el.find("svg path").css("fill",e),this.options.mediacontrol&&this.options.mediacontrol.buttons&&(e=this.options.mediacontrol.buttons,this.$playButton.css("color",e)),this.update(),this}},g);function g(t){(0,i.default)(this,g);var e=(0,n.default)(this,h.call(this,t));return e.hasStartedPlaying=!1,e.playRequested=!1,e.render(),r.nextTick(function(){return e.update()}),e}v.default=p,m.exports=v.default}).call(this,y(63))},function(t,e){t.exports='<div class="play-wrapper" data-poster></div>\n'},function(t,e,r){var i=r(222);"string"==typeof i&&(i=[[t.i,i,""]]);var n={singleton:!0,hmr:!0,transform:void 0,insertInto:void 0};r(10)(i,n);i.locals&&(t.exports=i.locals)},function(t,e,r){(t.exports=r(8)(!1)).push([t.i,".player-poster[data-poster]{display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-pack:center;-ms-flex-pack:center;justify-content:center;-webkit-box-align:center;-ms-flex-align:center;align-items:center;position:absolute;height:100%;width:100%;z-index:998;top:0;left:0;background-color:#000;background-size:cover;background-repeat:no-repeat;background-position:50% 50%}.player-poster[data-poster].clickable{cursor:pointer}.player-poster[data-poster]:hover .play-wrapper[data-poster]{opacity:1}.player-poster[data-poster] .play-wrapper[data-poster]{width:100%;height:25%;margin:0 auto;opacity:.75;transition:opacity .1s ease}.player-poster[data-poster] .play-wrapper[data-poster] svg{height:100%}.player-poster[data-poster] .play-wrapper[data-poster] svg path{fill:#fff}",""])},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i,n=r(224),a=(i=n)&&i.__esModule?i:{default:i};e.default=a.default,t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=u(r(0)),n=u(r(1)),a=u(r(3)),o=u(r(2)),s=u(r(43)),l=u(r(4));function u(t){return t&&t.__esModule?t:{default:t}}var d,c=(d=s.default,(0,o.default)(f,d),(0,a.default)(f,[{key:"name",get:function(){return"google_analytics"}}]),f.prototype.embedScript=function(){var t=this;if(window._gat)this.addEventListeners();else{var e=document.createElement("script");e.setAttribute("type","text/javascript"),e.setAttribute("async","async"),e.setAttribute("src","//www.google-analytics.com/ga.js"),e.onload=function(){return t.addEventListeners()},document.body.appendChild(e)}},f.prototype.addEventListeners=function(){var e=this;this.container&&(this.listenTo(this.container,l.default.CONTAINER_READY,this.onReady),this.listenTo(this.container,l.default.CONTAINER_PLAY,this.onPlay),this.listenTo(this.container,l.default.CONTAINER_STOP,this.onStop),this.listenTo(this.container,l.default.CONTAINER_PAUSE,this.onPause),this.listenTo(this.container,l.default.CONTAINER_ENDED,this.onEnded),this.listenTo(this.container,l.default.CONTAINER_STATE_BUFFERING,this.onBuffering),this.listenTo(this.container,l.default.CONTAINER_STATE_BUFFERFULL,this.onBufferFull),this.listenTo(this.container,l.default.CONTAINER_ERROR,this.onError),this.listenTo(this.container,l.default.CONTAINER_PLAYBACKSTATE,this.onPlaybackChanged),this.listenTo(this.container,l.default.CONTAINER_VOLUME,function(t){return e.onVolumeChanged(t)}),this.listenTo(this.container,l.default.CONTAINER_SEEK,function(t){return e.onSeek(t)}),this.listenTo(this.container,l.default.CONTAINER_FULL_SCREEN,this.onFullscreen),this.listenTo(this.container,l.default.CONTAINER_HIGHDEFINITIONUPDATE,this.onHD),this.listenTo(this.container,l.default.CONTAINER_PLAYBACKDVRSTATECHANGED,this.onDVR)),_gaq.push([this.trackerName+"_setAccount",this.account]),this.domainName&&_gaq.push([this.trackerName+"_setDomainName",this.domainName])},f.prototype.onReady=function(){this.push(["Video","Playback",this.container.playback.name])},f.prototype.onPlay=function(){this.push(["Video","Play",this.container.playback.src])},f.prototype.onStop=function(){this.push(["Video","Stop",this.container.playback.src])},f.prototype.onEnded=function(){this.push(["Video","Ended",this.container.playback.src])},f.prototype.onBuffering=function(){this.push(["Video","Buffering",this.container.playback.src])},f.prototype.onBufferFull=function(){this.push(["Video","Bufferfull",this.container.playback.src])},f.prototype.onError=function(){this.push(["Video","Error",this.container.playback.src])},f.prototype.onHD=function(t){var e=t?"ON":"OFF";e!==this.currentHDState&&(this.currentHDState=e,this.push(["Video","HD - "+e,this.container.playback.src]))},f.prototype.onPlaybackChanged=function(t){null!==t.type&&this.push(["Video","Playback Type - "+t.type,this.container.playback.src])},f.prototype.onDVR=function(t){var e=t?"ON":"OFF";this.push(["Interaction","DVR - "+e,this.container.playback.src])},f.prototype.onPause=function(){this.push(["Video","Pause",this.container.playback.src])},f.prototype.onSeek=function(){this.push(["Video","Seek",this.container.playback.src])},f.prototype.onVolumeChanged=function(){this.push(["Interaction","Volume",this.container.playback.src])},f.prototype.onFullscreen=function(){this.push(["Interaction","Fullscreen",this.container.playback.src])},f.prototype.push=function(t){var e=[this.trackerName+"_trackEvent"].concat(t);_gaq.push(e)},f);function f(t){(0,i.default)(this,f);var e=(0,n.default)(this,d.call(this,t));return e.container.options.gaAccount&&(e.account=e.container.options.gaAccount,e.trackerName=e.container.options.gaTrackerName?e.container.options.gaTrackerName+".":"Clappr.",e.domainName=e.container.options.gaDomainName,e.currentHDState=void 0,e.embedScript()),e}e.default=c,t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=d(r(0)),n=d(r(1)),a=d(r(3)),o=d(r(2)),s=d(r(43)),l=d(r(4)),u=d(r(11));function d(t){return t&&t.__esModule?t:{default:t}}var c,f=(c=s.default,(0,o.default)(h,c),(0,a.default)(h,[{key:"name",get:function(){return"click_to_pause"}}]),h.prototype.bindEvents=function(){this.listenTo(this.container,l.default.CONTAINER_CLICK,this.click),this.listenTo(this.container,l.default.CONTAINER_SETTINGSUPDATE,this.settingsUpdate)},h.prototype.click=function(){this.container.getPlaybackType()===u.default.LIVE&&!this.container.isDvrEnabled()||(this.container.isPlaying()?this.container.pause():this.container.play())},h.prototype.settingsUpdate=function(){var t=this.container.getPlaybackType()!==u.default.LIVE||this.container.isDvrEnabled();if(t!==this.pointerEnabled){var e=t?"addClass":"removeClass";this.container.$el[e]("pointer-enabled"),this.pointerEnabled=t}},h);function h(t){return(0,i.default)(this,h),(0,n.default)(this,c.call(this,t))}e.default=f,t.exports=e.default},function(_,b,E){"use strict";(function(i){Object.defineProperty(b,"__esModule",{value:!0});var e=m(E(89)),r=m(E(0)),n=m(E(1)),t=m(E(3)),a=m(E(2)),o=E(5),s=E(61),l=m(E(4)),u=m(E(24)),d=m(E(14)),c=m(E(31)),f=m(E(7)),h=m(E(11)),p=m(E(6));E(227);var g=m(E(229));function m(t){return t&&t.__esModule?t:{default:t}}var v,y=(v=u.default,(0,a.default)(A,v),(0,t.default)(A,[{key:"name",get:function(){return"media_control"}},{key:"disabled",get:function(){var t=this.container&&this.container.getPlaybackType()===h.default.NO_OP;return this.userDisabled||t}},{key:"container",get:function(){return this.core&&this.core.activeContainer}},{key:"playback",get:function(){return this.core&&this.core.activePlayback}},{key:"attributes",get:function(){return{class:"media-control","data-media-control":""}}},{key:"events",get:function(){return{"click [data-play]":"play","click [data-pause]":"pause","click [data-playpause]":"togglePlayPause","click [data-stop]":"stop","click [data-playstop]":"togglePlayStop","click [data-fullscreen]":"toggleFullscreen","click .bar-container[data-seekbar]":"seek","click .bar-container[data-volume]":"onVolumeClick","click .drawer-icon[data-volume]":"toggleMute","mouseenter .drawer-container[data-volume]":"showVolumeBar","mouseleave .drawer-container[data-volume]":"hideVolumeBar","mousedown .bar-container[data-volume]":"startVolumeDrag","mousemove .bar-container[data-volume]":"mousemoveOnVolumeBar","mousedown .bar-scrubber[data-seekbar]":"startSeekDrag","mousemove .bar-container[data-seekbar]":"mousemoveOnSeekBar","mouseleave .bar-container[data-seekbar]":"mouseleaveOnSeekBar","mouseenter .media-control-layer[data-controls]":"setUserKeepVisible","mouseleave .media-control-layer[data-controls]":"resetUserKeepVisible"}}},{key:"template",get:function(){return(0,f.default)(g.default)}},{key:"volume",get:function(){return this.container&&this.container.isReady?this.container.volume:this.intendedVolume}},{key:"muted",get:function(){return 0===this.volume}}]),A.prototype.getExternalInterface=function(){var t=this;return{setVolume:this.setVolume,getVolume:function(){return t.volume}}},A.prototype.bindEvents=function(){var t=this;this.stopListening(),this.listenTo(this.core,l.default.CORE_ACTIVE_CONTAINER_CHANGED,this.onActiveContainerChanged),this.listenTo(this.core,l.default.CORE_MOUSE_MOVE,this.show),this.listenTo(this.core,l.default.CORE_MOUSE_LEAVE,function(){return t.hide(t.options.hideMediaControlDelay)}),this.listenTo(this.core,l.default.CORE_FULLSCREEN,this.show),this.listenTo(this.core,l.default.CORE_OPTIONS_CHANGE,this.configure),c.default.on(this.options.playerId+":"+l.default.PLAYER_RESIZE,this.playerResize,this),this.bindContainerEvents()},A.prototype.bindContainerEvents=function(){this.container&&(this.listenTo(this.container,l.default.CONTAINER_PLAY,this.changeTogglePlay),this.listenTo(this.container,l.default.CONTAINER_PAUSE,this.changeTogglePlay),this.listenTo(this.container,l.default.CONTAINER_STOP,this.changeTogglePlay),this.listenTo(this.container,l.default.CONTAINER_DBLCLICK,this.toggleFullscreen),this.listenTo(this.container,l.default.CONTAINER_TIMEUPDATE,this.onTimeUpdate),this.listenTo(this.container,l.default.CONTAINER_PROGRESS,this.updateProgressBar),this.listenTo(this.container,l.default.CONTAINER_SETTINGSUPDATE,this.settingsUpdate),this.listenTo(this.container,l.default.CONTAINER_PLAYBACKDVRSTATECHANGED,this.settingsUpdate),this.listenTo(this.container,l.default.CONTAINER_HIGHDEFINITIONUPDATE,this.highDefinitionUpdate),this.listenTo(this.container,l.default.CONTAINER_MEDIACONTROL_DISABLE,this.disable),this.listenTo(this.container,l.default.CONTAINER_MEDIACONTROL_ENABLE,this.enable),this.listenTo(this.container,l.default.CONTAINER_ENDED,this.ended),this.listenTo(this.container,l.default.CONTAINER_VOLUME,this.onVolumeChanged),this.listenTo(this.container,l.default.CONTAINER_OPTIONS_CHANGE,this.setInitialVolume),"video"===this.container.playback.el.nodeName.toLowerCase()&&this.listenToOnce(this.container,l.default.CONTAINER_LOADEDMETADATA,this.onLoadedMetadataOnVideoTag))},A.prototype.disable=function(){this.userDisabled=!0,this.hide(),this.unbindKeyEvents(),this.$el.hide()},A.prototype.enable=function(){this.options.chromeless||(this.userDisabled=!1,this.bindKeyEvents(),this.show())},A.prototype.play=function(){this.container&&this.container.play()},A.prototype.pause=function(){this.container&&this.container.pause()},A.prototype.stop=function(){this.container&&this.container.stop()},A.prototype.setInitialVolume=function(){var t=this.persistConfig?o.Config.restore("volume"):100,e=this.container&&this.container.options||this.options;this.setVolume(e.mute?0:t,!0)},A.prototype.onVolumeChanged=function(){this.updateVolumeUI()},A.prototype.onLoadedMetadataOnVideoTag=function(){var t=this.playback&&this.playback.el;!o.Fullscreen.fullscreenEnabled()&&t.webkitSupportsFullscreen&&(this.fullScreenOnVideoTagSupported=!0,this.settingsUpdate())},A.prototype.updateVolumeUI=function(){if(this.rendered){this.$volumeBarContainer.find(".bar-fill-2").css({});var t=this.$volumeBarContainer.width(),e=this.$volumeBarBackground.width(),r=(t-e)/2,i=e*this.volume/100+r;this.$volumeBarFill.css({width:this.volume+"%"}),this.$volumeBarScrubber.css({left:i}),this.$volumeBarContainer.find(".segmented-bar-element").removeClass("fill");var n=Math.ceil(this.volume/10);this.$volumeBarContainer.find(".segmented-bar-element").slice(0,n).addClass("fill"),this.$volumeIcon.html(""),this.$volumeIcon.removeClass("muted"),this.muted?(this.$volumeIcon.append(o.SvgIcons.volumeMute),this.$volumeIcon.addClass("muted")):this.$volumeIcon.append(o.SvgIcons.volume),this.applyButtonStyle(this.$volumeIcon)}},A.prototype.changeTogglePlay=function(){this.$playPauseToggle.html(""),this.$playStopToggle.html(""),this.container&&this.container.isPlaying()?(this.$playPauseToggle.append(o.SvgIcons.pause),this.$playStopToggle.append(o.SvgIcons.stop),this.trigger(l.default.MEDIACONTROL_PLAYING)):(this.$playPauseToggle.append(o.SvgIcons.play),this.$playStopToggle.append(o.SvgIcons.play),this.trigger(l.default.MEDIACONTROL_NOTPLAYING),d.default.isMobile&&this.show()),this.applyButtonStyle(this.$playPauseToggle),this.applyButtonStyle(this.$playStopToggle)},A.prototype.mousemoveOnSeekBar=function(t){if(this.settings.seekEnabled){var e=t.pageX-this.$seekBarContainer.offset().left-this.$seekBarHover.width()/2;this.$seekBarHover.css({left:e})}this.trigger(l.default.MEDIACONTROL_MOUSEMOVE_SEEKBAR,t)},A.prototype.mouseleaveOnSeekBar=function(t){this.trigger(l.default.MEDIACONTROL_MOUSELEAVE_SEEKBAR,t)},A.prototype.onVolumeClick=function(t){this.setVolume(this.getVolumeFromUIEvent(t))},A.prototype.mousemoveOnVolumeBar=function(t){this.draggingVolumeBar&&this.setVolume(this.getVolumeFromUIEvent(t))},A.prototype.playerResize=function(t){this.$fullscreenToggle.html("");var e=this.core.isFullscreen()?o.SvgIcons.exitFullscreen:o.SvgIcons.fullscreen;this.$fullscreenToggle.append(e),this.applyButtonStyle(this.$fullscreenToggle),0!==this.$el.find(".media-control").length&&this.$el.removeClass("w320"),(t.width<=320||this.options.hideVolumeBar)&&this.$el.addClass("w320")},A.prototype.togglePlayPause=function(){return this.container.isPlaying()?this.container.pause():this.container.play(),!1},A.prototype.togglePlayStop=function(){this.container.isPlaying()?this.container.stop():this.container.play()},A.prototype.startSeekDrag=function(t){this.settings.seekEnabled&&(this.draggingSeekBar=!0,this.$el.addClass("dragging"),this.$seekBarLoaded.addClass("media-control-notransition"),this.$seekBarPosition.addClass("media-control-notransition"),this.$seekBarScrubber.addClass("media-control-notransition"),t&&t.preventDefault())},A.prototype.startVolumeDrag=function(t){this.draggingVolumeBar=!0,this.$el.addClass("dragging"),t&&t.preventDefault()},A.prototype.stopDrag=function(t){this.draggingSeekBar&&this.seek(t),this.$el.removeClass("dragging"),this.$seekBarLoaded.removeClass("media-control-notransition"),this.$seekBarPosition.removeClass("media-control-notransition"),this.$seekBarScrubber.removeClass("media-control-notransition dragging"),this.draggingSeekBar=!1,this.draggingVolumeBar=!1},A.prototype.updateDrag=function(t){if(this.draggingSeekBar){t.preventDefault();var e=(t.pageX-this.$seekBarContainer.offset().left)/this.$seekBarContainer.width()*100;e=Math.min(100,Math.max(e,0)),this.setSeekPercentage(e)}else this.draggingVolumeBar&&(t.preventDefault(),this.setVolume(this.getVolumeFromUIEvent(t)))},A.prototype.getVolumeFromUIEvent=function(t){return(t.pageX-this.$volumeBarContainer.offset().left)/this.$volumeBarContainer.width()*100},A.prototype.toggleMute=function(){if(this.muted)return this.setVolume(this._mutedVolume||100),void(this._mutedVolume=null);this._mutedVolume=this.volume,this.setVolume(0)},A.prototype.setVolume=function(t,e){var r=this,i=1<arguments.length&&void 0!==e&&e;function n(){r.container&&r.container.isReady?r.container.setVolume(t):r.listenToOnce(r.container,l.default.CONTAINER_READY,function(){r.container.setVolume(t)})}t=Math.min(100,Math.max(t,0)),this.intendedVolume=t,this.persistConfig&&!i&&o.Config.persist("volume",t),this.container?n():this.listenToOnce(this,l.default.MEDIACONTROL_CONTAINERCHANGED,function(){return n()})},A.prototype.toggleFullscreen=function(){this.trigger(l.default.MEDIACONTROL_FULLSCREEN,this.name),this.container.fullscreen(),this.core.toggleFullscreen(),this.resetUserKeepVisible()},A.prototype.onActiveContainerChanged=function(){this.fullScreenOnVideoTagSupported=null,c.default.off(this.options.playerId+":"+l.default.PLAYER_RESIZE,this.playerResize,this),this.bindEvents(),this.setInitialVolume(),this.changeTogglePlay(),this.bindContainerEvents(),this.settingsUpdate(),this.container&&this.container.trigger(l.default.CONTAINER_PLAYBACKDVRSTATECHANGED,this.container.isDvrInUse()),this.container&&this.container.mediaControlDisabled&&this.disable(),this.trigger(l.default.MEDIACONTROL_CONTAINERCHANGED)},A.prototype.showVolumeBar=function(){this.hideVolumeId&&clearTimeout(this.hideVolumeId),this.$volumeBarContainer.removeClass("volume-bar-hide")},A.prototype.hideVolumeBar=function(t){var e=this,r=0<arguments.length&&void 0!==t?t:400;this.$volumeBarContainer&&(this.draggingVolumeBar?this.hideVolumeId=setTimeout(function(){return e.hideVolumeBar()},r):(this.hideVolumeId&&clearTimeout(this.hideVolumeId),this.hideVolumeId=setTimeout(function(){return e.$volumeBarContainer.addClass("volume-bar-hide")},r)))},A.prototype.ended=function(){this.changeTogglePlay()},A.prototype.updateProgressBar=function(t){var e=t.start/t.total*100,r=t.current/t.total*100;this.$seekBarLoaded.css({left:e+"%",width:r-e+"%"})},A.prototype.onTimeUpdate=function(t){if(!this.draggingSeekBar){var e=t.current<0?t.total:t.current;this.currentPositionValue=e,this.currentDurationValue=t.total,this.renderSeekBar()}},A.prototype.renderSeekBar=function(){if(null!==this.currentPositionValue&&null!==this.currentDurationValue){this.currentSeekBarPercentage=100,this.container&&(this.container.getPlaybackType()!==h.default.LIVE||this.container.isDvrInUse())&&(this.currentSeekBarPercentage=this.currentPositionValue/this.currentDurationValue*100),this.setSeekPercentage(this.currentSeekBarPercentage);var t=(0,o.formatTime)(this.currentPositionValue),e=(0,o.formatTime)(this.currentDurationValue);t!==this.displayedPosition&&(this.$position.text(t),this.displayedPosition=t),e!==this.displayedDuration&&(this.$duration.text(e),this.displayedDuration=e)}},A.prototype.seek=function(t){if(this.settings.seekEnabled){var e=(t.pageX-this.$seekBarContainer.offset().left)/this.$seekBarContainer.width()*100;return e=Math.min(100,Math.max(e,0)),this.container&&this.container.seekPercentage(e),this.setSeekPercentage(e),!1}},A.prototype.setKeepVisible=function(){this.keepVisible=!0},A.prototype.resetKeepVisible=function(){this.keepVisible=!1},A.prototype.setUserKeepVisible=function(){this.userKeepVisible=!0},A.prototype.resetUserKeepVisible=function(){this.userKeepVisible=!1},A.prototype.isVisible=function(){return!this.$el.hasClass("media-control-hide")},A.prototype.show=function(t){var e=this;if(!this.disabled){var r=t&&t.clientX!==this.lastMouseX&&t.clientY!==this.lastMouseY;t&&!r&&!navigator.userAgent.match(/firefox/i)||(clearTimeout(this.hideId),this.$el.show(),this.trigger(l.default.MEDIACONTROL_SHOW,this.name),this.container&&this.container.trigger(l.default.CONTAINER_MEDIACONTROL_SHOW,this.name),this.$el.removeClass("media-control-hide"),this.hideId=setTimeout(function(){return e.hide()},2e3),t&&(this.lastMouseX=t.clientX,this.lastMouseY=t.clientY)),this.updateCursorStyle(!0)}},A.prototype.hide=function(t){var e=this,r=0<arguments.length&&void 0!==t?t:0;if(this.isVisible()){var i=r||2e3;if(clearTimeout(this.hideId),this.disabled||!1!==this.options.hideMediaControl){var n=this.userKeepVisible||this.keepVisible,a=this.draggingSeekBar||this.draggingVolumeBar;!this.disabled&&(r||n||a)?this.hideId=setTimeout(function(){return e.hide()},i):(this.trigger(l.default.MEDIACONTROL_HIDE,this.name),this.container&&this.container.trigger(l.default.CONTAINER_MEDIACONTROL_HIDE,this.name),this.$el.addClass("media-control-hide"),this.hideVolumeBar(0),this.updateCursorStyle(!1))}}},A.prototype.updateCursorStyle=function(t){t?this.core.$el.removeClass("nocursor"):this.core.isFullscreen()&&this.core.$el.addClass("nocursor")},A.prototype.settingsUpdate=function(){var t=this.getSettings();!t||this.fullScreenOnVideoTagSupported||o.Fullscreen.fullscreenEnabled()||(t.default&&(0,o.removeArrayItem)(t.default,"fullscreen"),t.left&&(0,o.removeArrayItem)(t.left,"fullscreen"),t.right&&(0,o.removeArrayItem)(t.right,"fullscreen")),(0,e.default)(this.settings)!==(0,e.default)(t)&&(this.settings=t,this.render())},A.prototype.getSettings=function(){return p.default.extend(!0,{},this.container&&this.container.settings)},A.prototype.highDefinitionUpdate=function(t){var e=(this.isHD=t)?"addClass":"removeClass";this.$hdIndicator[e]("enabled")},A.prototype.createCachedElements=function(){var t=this.$el.find(".media-control-layer");this.$duration=t.find(".media-control-indicator[data-duration]"),this.$fullscreenToggle=t.find("button.media-control-button[data-fullscreen]"),this.$playPauseToggle=t.find("button.media-control-button[data-playpause]"),this.$playStopToggle=t.find("button.media-control-button[data-playstop]"),this.$position=t.find(".media-control-indicator[data-position]"),this.$seekBarContainer=t.find(".bar-container[data-seekbar]"),this.$seekBarHover=t.find(".bar-hover[data-seekbar]"),this.$seekBarLoaded=t.find(".bar-fill-1[data-seekbar]"),this.$seekBarPosition=t.find(".bar-fill-2[data-seekbar]"),this.$seekBarScrubber=t.find(".bar-scrubber[data-seekbar]"),this.$volumeBarContainer=t.find(".bar-container[data-volume]"),this.$volumeContainer=t.find(".drawer-container[data-volume]"),this.$volumeIcon=t.find(".drawer-icon[data-volume]"),this.$volumeBarBackground=this.$el.find(".bar-background[data-volume]"),this.$volumeBarFill=this.$el.find(".bar-fill-1[data-volume]"),this.$volumeBarScrubber=this.$el.find(".bar-scrubber[data-volume]"),this.$hdIndicator=this.$el.find("button.media-control-button[data-hd-indicator]"),this.resetIndicators(),this.initializeIcons()},A.prototype.resetIndicators=function(){this.displayedPosition=this.$position.text(),this.displayedDuration=this.$duration.text()},A.prototype.initializeIcons=function(){var t=this.$el.find(".media-control-layer");t.find("button.media-control-button[data-play]").append(o.SvgIcons.play),t.find("button.media-control-button[data-pause]").append(o.SvgIcons.pause),t.find("button.media-control-button[data-stop]").append(o.SvgIcons.stop),this.$playPauseToggle.append(o.SvgIcons.play),this.$playStopToggle.append(o.SvgIcons.play),this.$volumeIcon.append(o.SvgIcons.volume),this.$fullscreenToggle.append(o.SvgIcons.fullscreen),this.$hdIndicator.append(o.SvgIcons.hd)},A.prototype.setSeekPercentage=function(t){t=Math.max(Math.min(t,100),0),this.displayedSeekBarPercentage!==t&&(this.displayedSeekBarPercentage=t,this.$seekBarPosition.removeClass("media-control-notransition"),this.$seekBarScrubber.removeClass("media-control-notransition"),this.$seekBarPosition.css({width:t+"%"}),this.$seekBarScrubber.css({left:t+"%"}))},A.prototype.seekRelative=function(t){if(this.settings.seekEnabled){var e=this.container.getCurrentTime(),r=this.container.getDuration(),i=Math.min(Math.max(e+t,0),r);i=Math.min(100*i/r,100),this.container.seekPercentage(i)}},A.prototype.bindKeyAndShow=function(t,e){var r=this;this.kibo.down(t,function(){return r.show(),e()})},A.prototype.bindKeyEvents=function(){var e=this;d.default.isMobile||this.options.disableKeyboardShortcuts||(this.unbindKeyEvents(),this.kibo=new s.Kibo(this.options.focusElement||this.options.parentElement),this.bindKeyAndShow("space",function(){return e.togglePlayPause()}),this.bindKeyAndShow("left",function(){return e.seekRelative(-5)}),this.bindKeyAndShow("right",function(){return e.seekRelative(5)}),this.bindKeyAndShow("shift left",function(){return e.seekRelative(-10)}),this.bindKeyAndShow("shift right",function(){return e.seekRelative(10)}),this.bindKeyAndShow("shift ctrl left",function(){return e.seekRelative(-15)}),this.bindKeyAndShow("shift ctrl right",function(){return e.seekRelative(15)}),["1","2","3","4","5","6","7","8","9","0"].forEach(function(t){e.bindKeyAndShow(t,function(){e.settings.seekEnabled&&e.container&&e.container.seekPercentage(10*t)})}))},A.prototype.unbindKeyEvents=function(){this.kibo&&(this.kibo.off("space"),this.kibo.off("left"),this.kibo.off("right"),this.kibo.off("shift left"),this.kibo.off("shift right"),this.kibo.off("shift ctrl left"),this.kibo.off("shift ctrl right"),this.kibo.off(["1","2","3","4","5","6","7","8","9","0"]))},A.prototype.parseColors=function(){if(this.options.mediacontrol){this.buttonsColor=this.options.mediacontrol.buttons;var t=this.options.mediacontrol.seekbar;this.$el.find(".bar-fill-2[data-seekbar]").css("background-color",t),this.$el.find(".media-control-icon svg path").css("fill",this.buttonsColor),this.$el.find(".segmented-bar-element[data-volume]").css("boxShadow","inset 2px 0 0 "+this.buttonsColor)}},A.prototype.applyButtonStyle=function(t){this.buttonsColor&&t&&(0,p.default)(t).find("svg path").css("fill",this.buttonsColor)},A.prototype.destroy=function(){(0,p.default)(document).unbind("mouseup",this.stopDragHandler),(0,p.default)(document).unbind("mousemove",this.updateDragHandler),this.unbindKeyEvents(),this.stopListening(),v.prototype.destroy.call(this)},A.prototype.configure=function(t){this.options.chromeless||t.source||t.sources?this.disable():this.enable(),this.trigger(l.default.MEDIACONTROL_OPTIONS_CHANGE)},A.prototype.render=function(){var t=this,e=this.options.hideMediaControlDelay||2e3;this.settings&&this.$el.html(this.template({settings:this.settings})),this.createCachedElements(),this.$playPauseToggle.addClass("paused"),this.$playStopToggle.addClass("stopped"),this.changeTogglePlay(),this.container&&(this.hideId=setTimeout(function(){return t.hide()},e),this.disabled&&this.hide()),d.default.isSafari&&d.default.isMobile&&(d.default.version<10?this.$volumeContainer.css("display","none"):this.$volumeBarContainer.css("display","none")),this.$seekBarPosition.addClass("media-control-notransition"),this.$seekBarScrubber.addClass("media-control-notransition");var r=0;return this.displayedSeekBarPercentage&&(r=this.displayedSeekBarPercentage),this.displayedSeekBarPercentage=null,this.setSeekPercentage(r),i.nextTick(function(){t.settings.seekEnabled||t.$seekBarContainer.addClass("seek-disabled"),d.default.isMobile||t.options.disableKeyboardShortcuts||t.bindKeyEvents(),t.playerResize({width:t.options.width,height:t.options.height}),t.hideVolumeBar(0)}),this.parseColors(),this.highDefinitionUpdate(this.isHD),this.core.$el.append(this.el),this.rendered=!0,this.updateVolumeUI(),this.trigger(l.default.MEDIACONTROL_RENDERED),this},A);function A(t){(0,r.default)(this,A);var e=(0,n.default)(this,v.call(this,t));return e.persistConfig=e.options.persistConfig,e.currentPositionValue=null,e.currentDurationValue=null,e.keepVisible=!1,e.fullScreenOnVideoTagSupported=null,e.setInitialVolume(),e.settings={left:["play","stop","pause"],right:["volume"],default:["position","seekbar","duration"]},e.kibo=new s.Kibo(e.options.focusElement),e.bindKeyEvents(),e.container?p.default.isEmptyObject(e.container.settings)||(e.settings=p.default.extend({},e.container.settings)):e.settings={},e.userDisabled=!1,(e.container&&e.container.mediaControlDisabled||e.options.chromeless)&&e.disable(),e.stopDragHandler=function(t){return e.stopDrag(t)},e.updateDragHandler=function(t){return e.updateDrag(t)},(0,p.default)(document).bind("mouseup",e.stopDragHandler),(0,p.default)(document).bind("mousemove",e.updateDragHandler),e}(b.default=y).extend=function(t){return(0,o.extend)(y,t)},_.exports=b.default}).call(this,E(63))},function(t,e,r){var i=r(228);"string"==typeof i&&(i=[[t.i,i,""]]);var n={singleton:!0,hmr:!0,transform:void 0,insertInto:void 0};r(10)(i,n);i.locals&&(t.exports=i.locals)},function(t,e,r){var i=r(82);(t.exports=r(8)(!1)).push([t.i,".media-control-notransition{transition:none!important}.media-control[data-media-control]{position:absolute;width:100%;height:100%;z-index:9999;pointer-events:none}.media-control[data-media-control].dragging{pointer-events:auto;cursor:-webkit-grabbing!important;cursor:grabbing!important;cursor:url("+i(r(97))+"),move}.media-control[data-media-control].dragging *{cursor:-webkit-grabbing!important;cursor:grabbing!important;cursor:url("+i(r(97))+'),move}.media-control[data-media-control] .media-control-background[data-background]{position:absolute;height:40%;width:100%;bottom:0;background:linear-gradient(transparent,rgba(0,0,0,.9));transition:opacity .6s ease-out}.media-control[data-media-control] .media-control-icon{line-height:0;letter-spacing:0;speak:none;color:#fff;opacity:.5;vertical-align:middle;text-align:left;transition:all .1s ease}.media-control[data-media-control] .media-control-icon:hover{color:#fff;opacity:.75;text-shadow:hsla(0,0%,100%,.8) 0 0 5px}.media-control[data-media-control].media-control-hide .media-control-background[data-background]{opacity:0}.media-control[data-media-control].media-control-hide .media-control-layer[data-controls]{bottom:-50px}.media-control[data-media-control].media-control-hide .media-control-layer[data-controls] .bar-container[data-seekbar] .bar-scrubber[data-seekbar]{opacity:0}.media-control[data-media-control] .media-control-layer[data-controls]{position:absolute;bottom:7px;width:100%;height:32px;font-size:0;vertical-align:middle;pointer-events:auto;transition:bottom .4s ease-out}.media-control[data-media-control] .media-control-layer[data-controls] .media-control-left-panel[data-media-control]{position:absolute;top:0;left:4px;height:100%}.media-control[data-media-control] .media-control-layer[data-controls] .media-control-center-panel[data-media-control]{height:100%;text-align:center;line-height:32px}.media-control[data-media-control] .media-control-layer[data-controls] .media-control-right-panel[data-media-control]{position:absolute;top:0;right:4px;height:100%}.media-control[data-media-control] .media-control-layer[data-controls] button.media-control-button{background-color:transparent;border:0;margin:0 6px;padding:0;cursor:pointer;display:inline-block;width:32px;height:100%}.media-control[data-media-control] .media-control-layer[data-controls] button.media-control-button svg{width:100%;height:22px}.media-control[data-media-control] .media-control-layer[data-controls] button.media-control-button svg path{fill:#fff}.media-control[data-media-control] .media-control-layer[data-controls] button.media-control-button:focus{outline:none}.media-control[data-media-control] .media-control-layer[data-controls] button.media-control-button[data-pause],.media-control[data-media-control] .media-control-layer[data-controls] button.media-control-button[data-play],.media-control[data-media-control] .media-control-layer[data-controls] button.media-control-button[data-stop]{float:left;height:100%}.media-control[data-media-control] .media-control-layer[data-controls] button.media-control-button[data-fullscreen]{float:right;background-color:transparent;border:0;height:100%}.media-control[data-media-control] .media-control-layer[data-controls] button.media-control-button[data-hd-indicator]{background-color:transparent;border:0;cursor:default;display:none;float:right;height:100%}.media-control[data-media-control] .media-control-layer[data-controls] button.media-control-button[data-hd-indicator].enabled{display:block;opacity:1}.media-control[data-media-control] .media-control-layer[data-controls] button.media-control-button[data-hd-indicator].enabled:hover{opacity:1;text-shadow:none}.media-control[data-media-control] .media-control-layer[data-controls] button.media-control-button[data-playpause],.media-control[data-media-control] .media-control-layer[data-controls] button.media-control-button[data-playstop]{float:left}.media-control[data-media-control] .media-control-layer[data-controls] .media-control-indicator[data-duration],.media-control[data-media-control] .media-control-layer[data-controls] .media-control-indicator[data-position]{display:inline-block;font-size:10px;color:#fff;cursor:default;line-height:32px;position:relative}.media-control[data-media-control] .media-control-layer[data-controls] .media-control-indicator[data-position]{margin:0 6px 0 7px}.media-control[data-media-control] .media-control-layer[data-controls] .media-control-indicator[data-duration]{color:hsla(0,0%,100%,.5);margin-right:6px}.media-control[data-media-control] .media-control-layer[data-controls] .media-control-indicator[data-duration]:before{content:"|";margin-right:7px}.media-control[data-media-control] .media-control-layer[data-controls] .bar-container[data-seekbar]{position:absolute;top:-20px;left:0;display:inline-block;vertical-align:middle;width:100%;height:25px;cursor:pointer}.media-control[data-media-control] .media-control-layer[data-controls] .bar-container[data-seekbar] .bar-background[data-seekbar]{width:100%;height:1px;position:relative;top:12px;background-color:#666}.media-control[data-media-control] .media-control-layer[data-controls] .bar-container[data-seekbar] .bar-background[data-seekbar] .bar-fill-1[data-seekbar]{position:absolute;top:0;left:0;width:0;height:100%;background-color:#c2c2c2;transition:all .1s ease-out}.media-control[data-media-control] .media-control-layer[data-controls] .bar-container[data-seekbar] .bar-background[data-seekbar] .bar-fill-2[data-seekbar]{position:absolute;top:0;left:0;width:0;height:100%;background-color:#005aff;transition:all .1s ease-out}.media-control[data-media-control] .media-control-layer[data-controls] .bar-container[data-seekbar] .bar-background[data-seekbar] .bar-hover[data-seekbar]{opacity:0;position:absolute;top:-3px;width:5px;height:7px;background-color:hsla(0,0%,100%,.5);transition:opacity .1s ease}.media-control[data-media-control] .media-control-layer[data-controls] .bar-container[data-seekbar]:hover .bar-background[data-seekbar] .bar-hover[data-seekbar]{opacity:1}.media-control[data-media-control] .media-control-layer[data-controls] .bar-container[data-seekbar].seek-disabled{cursor:default}.media-control[data-media-control] .media-control-layer[data-controls] .bar-container[data-seekbar].seek-disabled:hover .bar-background[data-seekbar] .bar-hover[data-seekbar]{opacity:0}.media-control[data-media-control] .media-control-layer[data-controls] .bar-container[data-seekbar] .bar-scrubber[data-seekbar]{position:absolute;-webkit-transform:translateX(-50%);transform:translateX(-50%);top:2px;left:0;width:20px;height:20px;opacity:1;transition:all .1s ease-out}.media-control[data-media-control] .media-control-layer[data-controls] .bar-container[data-seekbar] .bar-scrubber[data-seekbar] .bar-scrubber-icon[data-seekbar]{position:absolute;left:6px;top:6px;width:8px;height:8px;border-radius:10px;box-shadow:0 0 0 6px hsla(0,0%,100%,.2);background-color:#fff}.media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume]{float:right;display:inline-block;height:32px;cursor:pointer;margin:0 6px;box-sizing:border-box}.media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .drawer-icon-container[data-volume]{float:left;bottom:0}.media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .drawer-icon-container[data-volume] .drawer-icon[data-volume]{background-color:transparent;border:0;box-sizing:content-box;width:32px;height:32px;opacity:.5}.media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .drawer-icon-container[data-volume] .drawer-icon[data-volume]:hover{opacity:.75}.media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .drawer-icon-container[data-volume] .drawer-icon[data-volume] svg{height:24px;position:relative;top:3px}.media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .drawer-icon-container[data-volume] .drawer-icon[data-volume] svg path{fill:#fff}.media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .drawer-icon-container[data-volume] .drawer-icon[data-volume].muted svg{margin-left:2px}.media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .bar-container[data-volume]{float:left;position:relative;overflow:hidden;top:6px;width:42px;height:18px;padding:3px 0;transition:width .2s ease-out}.media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .bar-container[data-volume] .bar-background[data-volume]{height:1px;position:relative;top:7px;margin:0 3px;background-color:#666}.media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .bar-container[data-volume] .bar-background[data-volume] .bar-fill-1[data-volume]{position:absolute;top:0;left:0;width:0;height:100%;background-color:#c2c2c2;transition:all .1s ease-out}.media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .bar-container[data-volume] .bar-background[data-volume] .bar-fill-2[data-volume]{position:absolute;top:0;left:0;width:0;height:100%;background-color:#005aff;transition:all .1s ease-out}.media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .bar-container[data-volume] .bar-background[data-volume] .bar-hover[data-volume]{opacity:0;position:absolute;top:-3px;width:5px;height:7px;background-color:hsla(0,0%,100%,.5);transition:opacity .1s ease}.media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .bar-container[data-volume] .bar-scrubber[data-volume]{position:absolute;-webkit-transform:translateX(-50%);transform:translateX(-50%);top:0;left:0;width:20px;height:20px;opacity:1;transition:all .1s ease-out}.media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .bar-container[data-volume] .bar-scrubber[data-volume] .bar-scrubber-icon[data-volume]{position:absolute;left:6px;top:6px;width:8px;height:8px;border-radius:10px;box-shadow:0 0 0 6px hsla(0,0%,100%,.2);background-color:#fff}.media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .bar-container[data-volume] .segmented-bar-element[data-volume]{float:left;width:4px;padding-left:2px;height:12px;opacity:.5;box-shadow:inset 2px 0 0 #fff;transition:-webkit-transform .2s ease-out;transition:transform .2s ease-out;transition:transform .2s ease-out,-webkit-transform .2s ease-out}.media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .bar-container[data-volume] .segmented-bar-element[data-volume].fill{box-shadow:inset 2px 0 0 #fff;opacity:1}.media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .bar-container[data-volume] .segmented-bar-element[data-volume]:first-of-type{padding-left:0}.media-control[data-media-control] .media-control-layer[data-controls] .drawer-container[data-volume] .bar-container[data-volume] .segmented-bar-element[data-volume]:hover{-webkit-transform:scaleY(1.5);transform:scaleY(1.5)}.media-control[data-media-control].w320 .media-control-layer[data-controls] .drawer-container[data-volume] .bar-container[data-volume].volume-bar-hide{width:0;height:12px;top:9px;padding:0}',""])},function(t,e){t.exports='<div class="media-control-background" data-background></div>\n<div class="media-control-layer" data-controls>\n <% var renderBar = function(name) { %>\n <div class="bar-container" data-<%= name %>>\n <div class="bar-background" data-<%= name %>>\n <div class="bar-fill-1" data-<%= name %>></div>\n <div class="bar-fill-2" data-<%= name %>></div>\n <div class="bar-hover" data-<%= name %>></div>\n </div>\n <div class="bar-scrubber" data-<%= name %>>\n <div class="bar-scrubber-icon" data-<%= name %>></div>\n </div>\n </div>\n <% }; %>\n <% var renderSegmentedBar = function(name, segments) {\n segments = segments || 10; %>\n <div class="bar-container" data-<%= name %>>\n <% for (var i = 0; i < segments; i++) { %>\n <div class="segmented-bar-element" data-<%= name %>></div>\n <% } %>\n </div>\n <% }; %>\n <% var renderDrawer = function(name, renderContent) { %>\n <div class="drawer-container" data-<%= name %>>\n <div class="drawer-icon-container" data-<%= name %>>\n <div class="drawer-icon media-control-icon" data-<%= name %>></div>\n <span class="drawer-text" data-<%= name %>></span>\n </div>\n <% renderContent(name); %>\n </div>\n <% }; %>\n <% var renderIndicator = function(name) { %>\n <div class="media-control-indicator" data-<%= name %>></div>\n <% }; %>\n <% var renderButton = function(name) { %>\n <button type="button" class="media-control-button media-control-icon" data-<%= name %> aria-label="<%= name %>"></button>\n <% }; %>\n <% var templates = {\n bar: renderBar,\n segmentedBar: renderSegmentedBar,\n };\n var render = function(settingsList) {\n settingsList.forEach(function(setting) {\n if(setting === "seekbar") {\n renderBar(setting);\n } else if (setting === "volume") {\n renderDrawer(setting, settings.volumeBarTemplate ? templates[settings.volumeBarTemplate] : function(name) { return renderSegmentedBar(name); });\n } else if (setting === "duration" || setting === "position") {\n renderIndicator(setting);\n } else {\n renderButton(setting);\n }\n });\n }; %>\n <% if (settings.default && settings.default.length) { %>\n <div class="media-control-center-panel" data-media-control>\n <% render(settings.default); %>\n </div>\n <% } %>\n <% if (settings.left && settings.left.length) { %>\n <div class="media-control-left-panel" data-media-control>\n <% render(settings.left); %>\n </div>\n <% } %>\n <% if (settings.right && settings.right.length) { %>\n <div class="media-control-right-panel" data-media-control>\n <% render(settings.right); %>\n </div>\n <% } %>\n</div>\n'},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=f(r(0)),n=f(r(1)),a=f(r(3)),o=f(r(2)),s=f(r(24)),l=f(r(7)),u=f(r(11)),d=f(r(4)),c=f(r(231));function f(t){return t&&t.__esModule?t:{default:t}}r(232);var h,p=(h=s.default,(0,o.default)(g,h),(0,a.default)(g,[{key:"template",get:function(){return(0,l.default)(c.default)}},{key:"name",get:function(){return"dvr_controls"}},{key:"events",get:function(){return{"click .live-button":"click"}}},{key:"attributes",get:function(){return{class:"dvr-controls","data-dvr-controls":""}}}]),g.prototype.bindEvents=function(){this.listenTo(this.core.mediaControl,d.default.MEDIACONTROL_CONTAINERCHANGED,this.containerChanged),this.listenTo(this.core.mediaControl,d.default.MEDIACONTROL_RENDERED,this.settingsUpdate),this.listenTo(this.core,d.default.CORE_OPTIONS_CHANGE,this.render),this.core.getCurrentContainer()&&(this.listenToOnce(this.core.getCurrentContainer(),d.default.CONTAINER_TIMEUPDATE,this.render),this.listenTo(this.core.getCurrentContainer(),d.default.CONTAINER_PLAYBACKDVRSTATECHANGED,this.dvrChanged))},g.prototype.containerChanged=function(){this.stopListening(),this.bindEvents()},g.prototype.dvrChanged=function(t){this.core.getPlaybackType()===u.default.LIVE&&(this.settingsUpdate(),this.core.mediaControl.$el.addClass("live"),t?(this.core.mediaControl.$el.addClass("dvr"),this.core.mediaControl.$el.find(".media-control-indicator[data-position], .media-control-indicator[data-duration]").hide()):this.core.mediaControl.$el.removeClass("dvr"))},g.prototype.click=function(){var t=this.core.mediaControl,e=t.container;e.isPlaying()||e.play(),t.$el.hasClass("dvr")&&e.seek(e.getDuration())},g.prototype.settingsUpdate=function(){var t=this;this.stopListening(),this.core.mediaControl.$el.removeClass("live"),this.shouldRender()&&(this.render(),this.$el.click(function(){return t.click()})),this.bindEvents()},g.prototype.shouldRender=function(){return(void 0===this.core.options.useDvrControls||!!this.core.options.useDvrControls)&&this.core.getPlaybackType()===u.default.LIVE},g.prototype.render=function(){return this.$el.html(this.template({live:this.core.i18n.t("live"),backToLive:this.core.i18n.t("back_to_live")})),this.shouldRender()&&(this.core.mediaControl.$el.addClass("live"),this.core.mediaControl.$(".media-control-left-panel[data-media-control]").append(this.$el)),this},g);function g(t){(0,i.default)(this,g);var e=(0,n.default)(this,h.call(this,t));return e.settingsUpdate(),e}e.default=p,t.exports=e.default},function(t,e){t.exports='<div class="live-info"><%= live %></div>\n<button type="button" class="live-button" aria-label="<%= backToLive %>"><%= backToLive %></button>\n'},function(t,e,r){var i=r(233);"string"==typeof i&&(i=[[t.i,i,""]]);var n={singleton:!0,hmr:!0,transform:void 0,insertInto:void 0};r(10)(i,n);i.locals&&(t.exports=i.locals)},function(t,e,r){(t.exports=r(8)(!1)).push([t.i,'.dvr-controls[data-dvr-controls]{display:inline-block;float:left;color:#fff;line-height:32px;font-size:10px;font-weight:700;margin-left:6px}.dvr-controls[data-dvr-controls] .live-info{cursor:default;font-family:Roboto,Open Sans,Arial,sans-serif;text-transform:uppercase}.dvr-controls[data-dvr-controls] .live-info:before{content:"";display:inline-block;position:relative;width:7px;height:7px;border-radius:3.5px;margin-right:3.5px;background-color:#ff0101}.dvr-controls[data-dvr-controls] .live-info.disabled{opacity:.3}.dvr-controls[data-dvr-controls] .live-info.disabled:before{background-color:#fff}.dvr-controls[data-dvr-controls] .live-button{cursor:pointer;outline:none;display:none;border:0;color:#fff;background-color:transparent;height:32px;padding:0;opacity:.7;font-family:Roboto,Open Sans,Arial,sans-serif;text-transform:uppercase;transition:all .1s ease}.dvr-controls[data-dvr-controls] .live-button:before{content:"";display:inline-block;position:relative;width:7px;height:7px;border-radius:3.5px;margin-right:3.5px;background-color:#fff}.dvr-controls[data-dvr-controls] .live-button:hover{opacity:1;text-shadow:hsla(0,0%,100%,.75) 0 0 5px}.dvr .dvr-controls[data-dvr-controls] .live-info{display:none}.dvr .dvr-controls[data-dvr-controls] .live-button{display:block}.dvr.media-control.live[data-media-control] .media-control-layer[data-controls] .bar-container[data-seekbar] .bar-background[data-seekbar] .bar-fill-2[data-seekbar]{background-color:#005aff}.media-control.live[data-media-control] .media-control-layer[data-controls] .bar-container[data-seekbar] .bar-background[data-seekbar] .bar-fill-2[data-seekbar]{background-color:#ff0101}',""])},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i,n=r(235),a=(i=n)&&i.__esModule?i:{default:i};e.default=a.default,t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=f(r(0)),n=f(r(1)),a=f(r(3)),o=f(r(2)),s=f(r(24)),l=f(r(7)),u=f(r(4)),d=r(5),c=f(r(236));function f(t){return t&&t.__esModule?t:{default:t}}r(237);var h,p=(h=s.default,(0,o.default)(g,h),(0,a.default)(g,[{key:"name",get:function(){return"closed_captions"}},{key:"template",get:function(){return(0,l.default)(c.default)}},{key:"events",get:function(){return{"click [data-cc-button]":"toggleContextMenu","click [data-cc-select]":"onTrackSelect"}}},{key:"attributes",get:function(){return{class:"cc-controls","data-cc-controls":""}}}]),g.prototype.bindEvents=function(){this.listenTo(this.core,u.default.CORE_ACTIVE_CONTAINER_CHANGED,this.containerChanged),this.listenTo(this.core.mediaControl,u.default.MEDIACONTROL_RENDERED,this.render),this.listenTo(this.core.mediaControl,u.default.MEDIACONTROL_HIDE,this.hideContextMenu),this.container=this.core.getCurrentContainer(),this.container&&(this.listenTo(this.container,u.default.CONTAINER_SUBTITLE_AVAILABLE,this.onSubtitleAvailable),this.listenTo(this.container,u.default.CONTAINER_SUBTITLE_CHANGED,this.onSubtitleChanged),this.listenTo(this.container,u.default.CONTAINER_STOP,this.onContainerStop))},g.prototype.onContainerStop=function(){this.ccAvailable(!1)},g.prototype.containerChanged=function(){this.ccAvailable(!1),this.stopListening(),this.bindEvents()},g.prototype.onSubtitleAvailable=function(){this.renderCcButton(),this.ccAvailable(!0)},g.prototype.onSubtitleChanged=function(t){this.setCurrentContextMenuElement(t.id)},g.prototype.onTrackSelect=function(t){var e=parseInt(t.target.dataset.ccSelect,10);return this.container.closedCaptionsTrackId=e,this.hideContextMenu(),t.stopPropagation(),!1},g.prototype.ccAvailable=function(t){var e=t?"addClass":"removeClass";this.$el[e]("available")},g.prototype.toggleContextMenu=function(){this.$el.find("ul").toggle()},g.prototype.hideContextMenu=function(){this.$el.find("ul").hide()},g.prototype.contextMenuElement=function(t){return this.$el.find("ul a"+(isNaN(t)?"":'[data-cc-select="'+t+'"]')).parent()},g.prototype.setCurrentContextMenuElement=function(t){if(this._trackId!==t){this.contextMenuElement().removeClass("current"),this.contextMenuElement(t).addClass("current");var e=-1<t?"addClass":"removeClass";this.$ccButton[e]("enabled"),this._trackId=t}},g.prototype.renderCcButton=function(){for(var t=this.container?this.container.closedCaptionsTracks:[],e=0;e<t.length;e++)t[e].label=this._labelCb(t[e]);this.$el.html(this.template({ariaLabel:this._ariaLabel,disabledLabel:this.core.i18n.t("disabled"),title:this._title,tracks:t})),this.$ccButton=this.$el.find("button.cc-button[data-cc-button]"),this.$ccButton.append(d.SvgIcons.cc),this.$el.append(this.style)},g.prototype.render=function(){this.renderCcButton();var t=this.core.mediaControl.$el.find("button[data-fullscreen]");return t[0]?this.$el.insertAfter(t):this.core.mediaControl.$el.find(".media-control-right-panel[data-media-control]").prepend(this.$el),this},g);function g(t){(0,i.default)(this,g);var e=(0,n.default)(this,h.call(this,t)),r=t.options.closedCaptionsConfig;return e._title=r&&r.title?r.title:null,e._ariaLabel=r&&r.ariaLabel?r.ariaLabel:"cc-button",e._labelCb=r&&r.labelCallback&&"function"==typeof r.labelCallback?r.labelCallback:function(t){return t.name},e}e.default=p,t.exports=e.default},function(t,e){t.exports='<button type="button" class="cc-button media-control-button media-control-icon" data-cc-button aria-label="<%= ariaLabel %>"></button>\n<ul>\n <% if (title) { %>\n <li data-title><%= title %></li>\n <% }; %>\n <li><a href="#" data-cc-select="-1"><%= disabledLabel %></a></li>\n <% for (var i = 0; i < tracks.length; i++) { %>\n <li><a href="#" data-cc-select="<%= tracks[i].id %>"><%= tracks[i].label %></a></li>\n <% }; %>\n</ul>\n'},function(t,e,r){var i=r(238);"string"==typeof i&&(i=[[t.i,i,""]]);var n={singleton:!0,hmr:!0,transform:void 0,insertInto:void 0};r(10)(i,n);i.locals&&(t.exports=i.locals)},function(t,e,r){(t.exports=r(8)(!1)).push([t.i,".cc-controls[data-cc-controls]{float:right;position:relative;display:none}.cc-controls[data-cc-controls].available{display:block}.cc-controls[data-cc-controls] .cc-button{padding:6px!important}.cc-controls[data-cc-controls] .cc-button.enabled{display:block;opacity:1}.cc-controls[data-cc-controls] .cc-button.enabled:hover{opacity:1;text-shadow:none}.cc-controls[data-cc-controls]>ul{list-style-type:none;position:absolute;bottom:25px;border:1px solid #000;display:none;background-color:#e6e6e6}.cc-controls[data-cc-controls] li{font-size:10px}.cc-controls[data-cc-controls] li[data-title]{background-color:#c3c2c2;padding:5px}.cc-controls[data-cc-controls] li a{color:#444;padding:2px 10px;display:block;text-decoration:none}.cc-controls[data-cc-controls] li a:hover{background-color:#555;color:#fff}.cc-controls[data-cc-controls] li a:hover a{color:#fff;text-decoration:none}.cc-controls[data-cc-controls] li.current a{color:red}",""])},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=c(r(0)),n=c(r(1)),a=c(r(3)),o=c(r(2)),s=c(r(35)),l=c(r(4)),u=c(r(6)),d=r(5);function c(t){return t&&t.__esModule?t:{default:t}}var f,h=(0,u.default)('link[rel="shortcut icon"]'),p=(f=s.default,(0,o.default)(g,f),(0,a.default)(g,[{key:"name",get:function(){return"favicon"}},{key:"oldIcon",get:function(){return h}}]),g.prototype.configure=function(){this.core.options.changeFavicon?this.enabled||(this.stopListening(this.core,l.default.CORE_OPTIONS_CHANGE),this.enable()):this.enabled&&(this.disable(),this.listenTo(this.core,l.default.CORE_OPTIONS_CHANGE,this.configure))},g.prototype.bindEvents=function(){this.listenTo(this.core,l.default.CORE_OPTIONS_CHANGE,this.configure),this.listenTo(this.core,l.default.CORE_ACTIVE_CONTAINER_CHANGED,this.containerChanged),this.core.activeContainer&&this.containerChanged()},g.prototype.containerChanged=function(){this._container&&this.stopListening(this._container),this._container=this.core.activeContainer,this.listenTo(this._container,l.default.CONTAINER_PLAY,this.setPlayIcon),this.listenTo(this._container,l.default.CONTAINER_PAUSE,this.setPauseIcon),this.listenTo(this._container,l.default.CONTAINER_STOP,this.resetIcon),this.listenTo(this._container,l.default.CONTAINER_ENDED,this.resetIcon),this.listenTo(this._container,l.default.CONTAINER_ERROR,this.resetIcon),this.resetIcon()},g.prototype.disable=function(){f.prototype.disable.call(this),this.resetIcon()},g.prototype.destroy=function(){f.prototype.destroy.call(this),this.resetIcon()},g.prototype.createIcon=function(t){var e=(0,u.default)("<canvas/>");e[0].width=16,e[0].height=16;var r=e[0].getContext("2d");r.fillStyle="#000";var i=(0,u.default)(t).find("path").attr("d"),n=new Path2D(i);r.fill(n);var a=(0,u.default)('<link rel="shortcut icon" type="image/png"/>');return a.attr("href",e[0].toDataURL("image/png")),a},g.prototype.setPlayIcon=function(){this.playIcon||(this.playIcon=this.createIcon(d.SvgIcons.play)),this.changeIcon(this.playIcon)},g.prototype.setPauseIcon=function(){this.pauseIcon||(this.pauseIcon=this.createIcon(d.SvgIcons.pause)),this.changeIcon(this.pauseIcon)},g.prototype.resetIcon=function(){(0,u.default)('link[rel="shortcut icon"]').remove(),(0,u.default)("head").append(this.oldIcon)},g.prototype.changeIcon=function(t){t&&((0,u.default)('link[rel="shortcut icon"]').remove(),(0,u.default)("head").append(t))},g);function g(t){(0,i.default)(this,g);var e=(0,n.default)(this,f.call(this,t));return e._container=null,e.configure(),e}e.default=p,t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i,n=r(241),a=(i=n)&&i.__esModule?i:{default:i};e.default=a.default,t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=h(r(0)),n=h(r(1)),a=h(r(3)),o=h(r(2)),s=r(5),l=h(r(24)),u=h(r(7)),d=h(r(4)),c=h(r(11)),f=h(r(242));function h(t){return t&&t.__esModule?t:{default:t}}r(243);var p,g=(p=l.default,(0,o.default)(m,p),(0,a.default)(m,[{key:"name",get:function(){return"seek_time"}},{key:"template",get:function(){return(0,u.default)(f.default)}},{key:"attributes",get:function(){return{class:"seek-time","data-seek-time":""}}},{key:"mediaControl",get:function(){return this.core.mediaControl}},{key:"mediaControlContainer",get:function(){return this.mediaControl.container}},{key:"isLiveStreamWithDvr",get:function(){return this.mediaControlContainer&&this.mediaControlContainer.getPlaybackType()===c.default.LIVE&&this.mediaControlContainer.isDvrEnabled()}},{key:"durationShown",get:function(){return this.isLiveStreamWithDvr&&!this.actualLiveTime}},{key:"useActualLiveTime",get:function(){return this.actualLiveTime&&this.isLiveStreamWithDvr}}]),m.prototype.bindEvents=function(){this.listenTo(this.mediaControl,d.default.MEDIACONTROL_RENDERED,this.render),this.listenTo(this.mediaControl,d.default.MEDIACONTROL_MOUSEMOVE_SEEKBAR,this.showTime),this.listenTo(this.mediaControl,d.default.MEDIACONTROL_MOUSELEAVE_SEEKBAR,this.hideTime),this.listenTo(this.mediaControl,d.default.MEDIACONTROL_CONTAINERCHANGED,this.onContainerChanged),this.mediaControlContainer&&(this.listenTo(this.mediaControlContainer,d.default.CONTAINER_PLAYBACKDVRSTATECHANGED,this.update),this.listenTo(this.mediaControlContainer,d.default.CONTAINER_TIMEUPDATE,this.updateDuration))},m.prototype.onContainerChanged=function(){this.stopListening(),this.bindEvents()},m.prototype.updateDuration=function(t){this.duration=t.total,this.firstFragDateTime=t.firstFragDateTime,this.update()},m.prototype.showTime=function(t){this.hoveringOverSeekBar=!0,this.calculateHoverPosition(t),this.update()},m.prototype.hideTime=function(){this.hoveringOverSeekBar=!1,this.update()},m.prototype.calculateHoverPosition=function(t){var e=t.pageX-this.mediaControl.$seekBarContainer.offset().left;this.hoverPosition=Math.min(1,Math.max(e/this.mediaControl.$seekBarContainer.width(),0))},m.prototype.getSeekTime=function(){var t=void 0,e=void 0,r=void 0,i=void 0;return this.useActualLiveTime?(t=(e=this.firstFragDateTime?(i=new Date(this.firstFragDateTime),(r=new Date(this.firstFragDateTime)).setHours(0,0,0,0),(i.getTime()-r.getTime())/1e3+this.duration):(r=new Date((new Date).getTime()-this.actualLiveServerTimeDiff),((i=new Date(r))-r.setHours(0,0,0,0))/1e3))-this.duration+this.hoverPosition*this.duration)<0&&(t+=86400):t=this.hoverPosition*this.duration,{seekTime:t,secondsSinceMidnight:e}},m.prototype.update=function(){if(this.rendered)if(this.shouldBeVisible()){var t=this.getSeekTime(),e=(0,s.formatTime)(t.seekTime,this.useActualLiveTime);if(e!==this.displayedSeekTime&&(this.$seekTimeEl.text(e),this.displayedSeekTime=e),this.durationShown){this.$durationEl.show();var r=(0,s.formatTime)(this.actualLiveTime?t.secondsSinceMidnight:this.duration,this.actualLiveTime);r!==this.displayedDuration&&(this.$durationEl.text(r),this.displayedDuration=r)}else this.$durationEl.hide();this.$el.show();var i=this.mediaControl.$seekBarContainer.width(),n=this.$el.width(),a=this.hoverPosition*i;a-=n/2,a=Math.max(0,Math.min(a,i-n)),this.$el.css("left",a)}else this.$el.hide(),this.$el.css("left","-100%")},m.prototype.shouldBeVisible=function(){return this.mediaControlContainer&&this.mediaControlContainer.settings.seekEnabled&&this.hoveringOverSeekBar&&null!==this.hoverPosition&&null!==this.duration},m.prototype.render=function(){this.rendered=!0,this.displayedDuration=null,this.displayedSeekTime=null,this.$el.html(this.template()),this.$el.hide(),this.mediaControl.$el.append(this.el),this.$seekTimeEl=this.$el.find("[data-seek-time]"),this.$durationEl=this.$el.find("[data-duration]"),this.$durationEl.hide(),this.update()},m);function m(t){(0,i.default)(this,m);var e=(0,n.default)(this,p.call(this,t));return e.hoveringOverSeekBar=!1,e.hoverPosition=null,e.duration=null,e.firstFragDateTime=null,e.actualLiveTime=!!e.mediaControl.options.actualLiveTime,e.actualLiveTime&&(e.mediaControl.options.actualLiveServerTime?e.actualLiveServerTimeDiff=(new Date).getTime()-new Date(e.mediaControl.options.actualLiveServerTime).getTime():e.actualLiveServerTimeDiff=0),e}e.default=g,t.exports=e.default},function(t,e){t.exports="<span data-seek-time></span>\n<span data-duration></span>\n"},function(t,e,r){var i=r(244);"string"==typeof i&&(i=[[t.i,i,""]]);var n={singleton:!0,hmr:!0,transform:void 0,insertInto:void 0};r(10)(i,n);i.locals&&(t.exports=i.locals)},function(t,e,r){(t.exports=r(8)(!1)).push([t.i,'.seek-time[data-seek-time]{position:absolute;white-space:nowrap;height:20px;line-height:20px;font-size:0;left:-100%;bottom:55px;background-color:rgba(2,2,2,.5);z-index:9999;transition:opacity .1s ease}.seek-time[data-seek-time].hidden[data-seek-time]{opacity:0}.seek-time[data-seek-time] [data-seek-time]{display:inline-block;color:#fff;font-size:10px;padding-left:7px;padding-right:7px;vertical-align:top}.seek-time[data-seek-time] [data-duration]{display:inline-block;color:hsla(0,0%,100%,.5);font-size:10px;padding-right:7px;vertical-align:top}.seek-time[data-seek-time] [data-duration]:before{content:"|";margin-right:7px}',""])},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=u(r(0)),n=u(r(3)),a=u(r(1)),o=u(r(2)),s=u(r(35)),l=u(r(4));function u(t){return t&&t.__esModule?t:{default:t}}var d,c=(d=s.default,(0,o.default)(f,d),f.prototype.bindEvents=function(){this.listenTo(this.core,l.default.CORE_CONTAINERS_CREATED,this.onContainersCreated)},f.prototype.onContainersCreated=function(){var e=this.core.containers.filter(function(t){return"no_op"!==t.playback.name})[0]||this.core.containers[0];e&&this.core.containers.forEach(function(t){t!==e&&t.destroy()})},(0,n.default)(f,[{key:"name",get:function(){return"sources"}}]),f);function f(){return(0,i.default)(this,f),(0,a.default)(this,d.apply(this,arguments))}e.default=c,t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=u(r(0)),n=u(r(3)),a=u(r(1)),o=u(r(2)),s=u(r(4)),l=u(r(35));function u(t){return t&&t.__esModule?t:{default:t}}var d,c=(d=l.default,(0,o.default)(f,d),f.prototype.bindEvents=function(){this.listenTo(this.core,s.default.CORE_ACTIVE_CONTAINER_CHANGED,this.containerChanged);var t=this.core.activeContainer;t&&(this.listenTo(t,s.default.CONTAINER_ENDED,this.ended),this.listenTo(t,s.default.CONTAINER_STOP,this.ended))},f.prototype.containerChanged=function(){this.stopListening(),this.bindEvents()},f.prototype.ended=function(){(void 0===this.core.options.exitFullscreenOnEnd||this.core.options.exitFullscreenOnEnd)&&this.core.isFullscreen()&&this.core.toggleFullscreen()},(0,n.default)(f,[{key:"name",get:function(){return"end_video"}}]),f);function f(){return(0,i.default)(this,f),(0,a.default)(this,d.apply(this,arguments))}e.default=c,t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=d(r(0)),n=d(r(1)),a=d(r(3)),o=d(r(2)),s=r(5),l=d(r(6)),u=d(r(35));function d(t){return t&&t.__esModule?t:{default:t}}var c,f=(c=u.default,(0,o.default)(h,c),(0,a.default)(h,[{key:"name",get:function(){return"strings"}}]),h.prototype.t=function(t){var e=this._language(),r=this._messages.en;return(e&&this._messages[e]||r)[t]||r[t]||t},h.prototype._language=function(){return this.core.options.language||(0,s.getBrowserLanguage)()},h.prototype._initializeMessages=function(){this._messages=l.default.extend(!0,{en:{live:"live",back_to_live:"back to live",disabled:"Disabled",playback_not_supported:"Your browser does not support the playback of this video. Please try using a different browser.",default_error_title:"Could not play video.",default_error_message:"There was a problem trying to load the video."},pt:{live:"ao vivo",back_to_live:"voltar para o ao vivo",disabled:"Desativado",playback_not_supported:"Seu navegador não supporta a reprodução deste video. Por favor, tente usar um navegador diferente.",default_error_title:"Não foi possível reproduzir o vídeo.",default_error_message:"Ocorreu um problema ao tentar carregar o vídeo."},es:{live:"vivo",back_to_live:"volver en vivo",disabled:"Discapacitado",playback_not_supported:"Su navegador no soporta la reproducción de un video. Por favor, trate de usar un navegador diferente."},ru:{live:"прямой эфир",back_to_live:"к прямому эфиру",disabled:"Отключено",playback_not_supported:"Ваш браузер не поддерживает воспроизведение этого видео. Пожалуйста, попробуйте другой браузер."},fr:{live:"en direct",back_to_live:"retour au direct",disabled:"Désactivé",playback_not_supported:"Votre navigateur ne supporte pas la lecture de cette vidéo. Merci de tenter sur un autre navigateur.",default_error_title:"Impossible de lire la vidéo.",default_error_message:"Un problème est survenu lors du chargement de la vidéo."},tr:{live:"canlı",back_to_live:"canlı yayına dön",disabled:"Engelli",playback_not_supported:"Tarayıcınız bu videoyu oynatma desteğine sahip değil. Lütfen farklı bir tarayıcı ile deneyin."},et:{live:"Otseülekanne",back_to_live:"Tagasi otseülekande juurde",disabled:"Keelatud",playback_not_supported:"Teie brauser ei toeta selle video taasesitust. Proovige kasutada muud brauserit."},ar:{live:"مباشر",back_to_live:"الرجوع إلى المباشر",disabled:"معطّل",playback_not_supported:"المتصفح الذي تستخدمه لا يدعم تشغيل هذا الفيديو. الرجاء إستخدام متصفح آخر.",default_error_title:"غير قادر الى التشغيل.",default_error_message:"حدثت مشكلة أثناء تحميل الفيديو."}},this.core.options.strings||{}),this._messages["pt-BR"]=this._messages.pt,this._messages["en-US"]=this._messages.en,this._messages["es-419"]=this._messages.es,this._messages["fr-FR"]=this._messages.fr,this._messages["tr-TR"]=this._messages.tr,this._messages["et-EE"]=this._messages.et,this._messages["ar-IQ"]=this._messages.ar},h);function h(t){(0,i.default)(this,h);var e=(0,n.default)(this,c.call(this,t));return e._initializeMessages(),e}e.default=f,t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i,n=r(249),a=(i=n)&&i.__esModule?i:{default:i};e.default=a.default,t.exports=e.default},function(t,e,r){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=h(r(0)),n=h(r(1)),a=h(r(3)),o=h(r(2)),s=h(r(4)),l=h(r(24)),u=h(r(7)),d=h(r(25)),c=r(5),f=h(r(250));function h(t){return t&&t.__esModule?t:{default:t}}r(251);var p,g=(p=l.default,(0,o.default)(m,p),(0,a.default)(m,[{key:"name",get:function(){return"error_screen"}},{key:"template",get:function(){return(0,u.default)(f.default)}},{key:"container",get:function(){return this.core.getCurrentContainer()}},{key:"attributes",get:function(){return{class:"player-error-screen","data-error-screen":""}}}]),m.prototype.bindEvents=function(){this.listenTo(this.core,s.default.ERROR,this.onError),this.listenTo(this.core,s.default.CORE_ACTIVE_CONTAINER_CHANGED,this.onContainerChanged)},m.prototype.bindReload=function(){this.reloadButton=this.$el.find(".player-error-screen__reload"),this.reloadButton&&this.reloadButton.on("click",this.reload.bind(this))},m.prototype.reload=function(){var t=this;this.listenToOnce(this.core,s.default.CORE_READY,function(){return t.container.play()}),this.core.load(this.options.sources,this.options.mimeType),this.unbindReload()},m.prototype.unbindReload=function(){this.reloadButton&&this.reloadButton.off("click")},m.prototype.onContainerChanged=function(){this.err=null,this.unbindReload(),this.hide()},m.prototype.onError=function(t){var e=0<arguments.length&&void 0!==t?t:{};e.level===d.default.Levels.FATAL&&(this.err=e,this.container.disableMediaControl(),this.container.stop(),this.show())},m.prototype.show=function(){this.render(),this.$el.show()},m.prototype.hide=function(){this.$el.hide()},m.prototype.render=function(){if(this.err)return this.$el.html(this.template({title:this.err.UI.title,message:this.err.UI.message,code:this.err.code,icon:this.err.UI.icon||"",reloadIcon:c.SvgIcons.reload})),this.core.$el.append(this.el),this.bindReload(),this},m);function m(t){var e;(0,i.default)(this,m);var r=(0,n.default)(this,p.call(this,t));return r.options.disableErrorScreen?(e=r.disable(),(0,n.default)(r,e)):r}e.default=g,t.exports=e.default},function(t,e){t.exports='<div class="player-error-screen__content" data-error-screen>\n <% if (icon) { %>\n <div class="player-error-screen__icon" data-error-screen><%= icon %></div>\n <% } %>\n <div class="player-error-screen__title" data-error-screen><%= title %></div>\n <div class="player-error-screen__message" data-error-screen><%= message %></div>\n <div class="player-error-screen__code" data-error-screen>Error code: <%= code %></div>\n <div class="player-error-screen__reload" data-error-screen><%= reloadIcon %></div>\n</div>\n'},function(t,e,r){var i=r(252);"string"==typeof i&&(i=[[t.i,i,""]]);var n={singleton:!0,hmr:!0,transform:void 0,insertInto:void 0};r(10)(i,n);i.locals&&(t.exports=i.locals)},function(t,e,r){(t.exports=r(8)(!1)).push([t.i,"div.player-error-screen{-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale;color:#cccaca;position:absolute;top:0;height:100%;width:100%;background-color:rgba(0,0,0,.7);z-index:2000;display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-orient:vertical;-webkit-box-direction:normal;-ms-flex-direction:column;flex-direction:column;-webkit-box-pack:center;-ms-flex-pack:center;justify-content:center}div.player-error-screen__content[data-error-screen]{font-size:14px;color:#cccaca;margin-top:45px}div.player-error-screen__title[data-error-screen]{font-weight:700;line-height:30px;font-size:18px}div.player-error-screen__message[data-error-screen]{width:90%;margin:0 auto}div.player-error-screen__code[data-error-screen]{font-size:13px;margin-top:15px}div.player-error-screen__reload{cursor:pointer;width:30px;margin:15px auto 0}",""])}],f.c=e,f.d=function(t,e,r){f.o(t,e)||Object.defineProperty(t,e,{enumerable:!0,get:r})},f.r=function(t){"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(t,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(t,"__esModule",{value:!0})},f.t=function(e,t){if(1&t&&(e=f(e)),8&t)return e;if(4&t&&"object"==typeof e&&e&&e.__esModule)return e;var r=Object.create(null);if(f.r(r),Object.defineProperty(r,"default",{enumerable:!0,value:e}),2&t&&"string"!=typeof e)for(var i in e)f.d(r,i,function(t){return e[t]}.bind(null,i));return r},f.n=function(t){var e=t&&t.__esModule?function(){return t.default}:function(){return t};return f.d(e,"a",e),e},f.o=function(t,e){return Object.prototype.hasOwnProperty.call(t,e)},f.p="dist/",f(f.s=100);function f(t){if(e[t])return e[t].exports;var r=e[t]={i:t,l:!1,exports:{}};return d[t].call(r.exports,r,r.exports,f),r.l=!0,r.exports}var d,e}); \ No newline at end of file diff --git a/public/assets/js/player.js b/public/assets/js/player.js index 2b6ae4d..5f639b9 100644 --- a/public/assets/js/player.js +++ b/public/assets/js/player.js @@ -201,11 +201,11 @@ function launchPlayer(view) { $('.AudioVideoPlaybackSettings-container-2pTAj.AudioVideoStripeContainer-container-MI02O').css('transform', 'translateY(246px)'); }); /** MOUSE MOVE ON PLAYER KEEP VISIBLE NAVBAR **/ - $(document).on('mousemove', '#divVideo, #movie_stream, button[role="playCenter"]', function () { + $(document).on('mousemove', '#movie_stream, button[role="playCenter"]', function () { $('button[role="playCenter"], #movie_stream, video').css('cursor', 'pointer'); $('button[role="playCenter"], .AudioVideoFullPlayer-topBar-2XUGM, .AudioVideoFullPlayer-bottomBar-2yixi').mouseover(); lastTimeMouseMoved = new Date().getTime(); - timeout = setInterval(function() { + timeout = setTimeout(function() { var currentTime = new Date().getTime(); if ((currentTime - lastTimeMouseMoved) > 1000) { $('button[role="playCenter"], #movie_stream, video').css('cursor', 'none');